diff --git a/.github/workflows/flatpak.yml b/.github/workflows/flatpak.yml
index f98b344d45..1604bd294e 100644
--- a/.github/workflows/flatpak.yml
+++ b/.github/workflows/flatpak.yml
@@ -86,7 +86,7 @@ jobs:
draft: false
prerelease: false
title: "Latest Release"
- automatic_release_tag: "v5.0.171"
+ automatic_release_tag: "v5.0.172"
files: |
${{ github.workspace }}/artifacts/Invoice-Ninja-Archive
${{ github.workspace }}/artifacts/Invoice-Ninja-Hash
diff --git a/flatpak/com.invoiceninja.InvoiceNinja.metainfo.xml b/flatpak/com.invoiceninja.InvoiceNinja.metainfo.xml
index 339d2f05d9..d5369643c1 100644
--- a/flatpak/com.invoiceninja.InvoiceNinja.metainfo.xml
+++ b/flatpak/com.invoiceninja.InvoiceNinja.metainfo.xml
@@ -50,6 +50,7 @@
+
diff --git a/lib/constants.dart b/lib/constants.dart
index f6d3ecdd71..718c04bbd9 100644
--- a/lib/constants.dart
+++ b/lib/constants.dart
@@ -6,7 +6,7 @@ class Constants {
}
// TODO remove version once #46609 is fixed
-const String kClientVersion = '5.0.171';
+const String kClientVersion = '5.0.172';
const String kMinServerVersion = '5.0.4';
const String kAppName = 'Invoice Ninja';
diff --git a/lib/data/models/entities.dart b/lib/data/models/entities.dart
index a8aaf211ab..b3747e7a7b 100644
--- a/lib/data/models/entities.dart
+++ b/lib/data/models/entities.dart
@@ -1020,7 +1020,9 @@ abstract class ActivityEntity
':recurring_expense', vendor?.name ?? ''); // TODO implement
activity = activity.replaceAll(' ', ' ');
+ // Fix for extra notes value
activity = activity.replaceFirst(' - :notes', '');
+ activity = activity.replaceFirst(':notes', '');
return activity;
}
diff --git a/lib/ui/settings/invoice_design.dart b/lib/ui/settings/invoice_design.dart
index dc5b04bfdd..54b8a82399 100644
--- a/lib/ui/settings/invoice_design.dart
+++ b/lib/ui/settings/invoice_design.dart
@@ -174,7 +174,6 @@ class _InvoiceDesignState extends State
final state = viewModel.state;
final settings = viewModel.settings;
final company = viewModel.company;
- final isFiltered = state.uiState.settingsUIState.isFiltered;
final tabs = [
localization.generalSettings,
@@ -295,8 +294,7 @@ class _InvoiceDesignState extends State
b..defaultInvoiceDesignId = value!.id));
},
),
- if (!isFiltered &&
- _wasInvoiceDesignChanged &&
+ if (_wasInvoiceDesignChanged &&
state.userCompany.isAdmin)
Padding(
padding: const EdgeInsets.only(bottom: 8),
@@ -324,8 +322,7 @@ class _InvoiceDesignState extends State
b..defaultQuoteDesignId = value!.id));
},
),
- if (!isFiltered &&
- _wasQuoteDesignChanged &&
+ if (_wasQuoteDesignChanged &&
state.userCompany.isAdmin)
Padding(
padding: const EdgeInsets.only(bottom: 8),
@@ -353,8 +350,7 @@ class _InvoiceDesignState extends State
b..defaultCreditDesignId = value!.id));
},
),
- if (!isFiltered &&
- _wasCreditDesignChanged &&
+ if (_wasCreditDesignChanged &&
state.userCompany.isAdmin)
Padding(
padding: const EdgeInsets.only(bottom: 8),
@@ -385,8 +381,7 @@ class _InvoiceDesignState extends State
value!.id));
},
),
- if (!isFiltered &&
- _wasPurchaseOrderDesignChanged &&
+ if (_wasPurchaseOrderDesignChanged &&
state.userCompany.isAdmin)
Padding(
padding: const EdgeInsets.only(bottom: 8),
diff --git a/lib/ui/settings/invoice_design_vm.dart b/lib/ui/settings/invoice_design_vm.dart
index cf6ea06b4c..ef857cdd3b 100644
--- a/lib/ui/settings/invoice_design_vm.dart
+++ b/lib/ui/settings/invoice_design_vm.dart
@@ -111,13 +111,65 @@ class InvoiceDesignVM {
break;
case EntityType.group:
final completer = snackBarCompleter(
- AppLocalization.of(context)!.savedSettings);
+ AppLocalization.of(context)!.savedSettings)
+ ..future.then((_) {
+ final webClient = WebClient();
+ final credentials = state.credentials;
+ final url = '${credentials.url}/designs/set/default';
+ final settings = store.state.company.settings;
+ entityTypes.forEach((entityType) {
+ webClient
+ .post(
+ url,
+ credentials.token,
+ data: json.encode({
+ 'entity': entityType.snakeCase,
+ 'design_id': settings.getDesignId(entityType),
+ 'settings_level': 'group_settings',
+ 'group_settings_id': settingsUIState.group.id,
+ }),
+ )
+ .then((dynamic response) {
+ showToast(
+ AppLocalization.of(navigatorKey.currentContext!)!
+ .savedSettings);
+ }).catchError((dynamic error) {
+ showErrorDialog(message: '$error');
+ });
+ });
+ });
store.dispatch(SaveGroupRequest(
completer: completer, group: settingsUIState.group));
break;
case EntityType.client:
final completer = snackBarCompleter(
- AppLocalization.of(context)!.savedSettings);
+ AppLocalization.of(context)!.savedSettings)
+ ..future.then((_) {
+ final webClient = WebClient();
+ final credentials = state.credentials;
+ final url = '${credentials.url}/designs/set/default';
+ final settings = store.state.company.settings;
+ entityTypes.forEach((entityType) {
+ webClient
+ .post(
+ url,
+ credentials.token,
+ data: json.encode({
+ 'entity': entityType.snakeCase,
+ 'design_id': settings.getDesignId(entityType),
+ 'settings_level': 'client',
+ 'client_id': settingsUIState.client.id,
+ }),
+ )
+ .then((dynamic response) {
+ showToast(
+ AppLocalization.of(navigatorKey.currentContext!)!
+ .savedSettings);
+ }).catchError((dynamic error) {
+ showErrorDialog(message: '$error');
+ });
+ });
+ });
store.dispatch(SaveClientRequest(
completer: completer, client: settingsUIState.client));
break;
diff --git a/lib/utils/i18n.dart b/lib/utils/i18n.dart
index a9d47b1c8f..6c9b79d566 100644
--- a/lib/utils/i18n.dart
+++ b/lib/utils/i18n.dart
@@ -2721,10 +2721,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'sq': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
- 'activity_144': 'Auto Bill failed for invoice :invoice',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered',
+ 'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -2801,7 +2801,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'valid_vat_number': 'Valid VAT Number',
'use_available_payments': 'Use Available Payments',
'test_email_sent': 'Successfully sent email',
- 'send_test_email': 'Send test email',
+ 'send_test_email': 'Send Test Email',
'gateway_type': 'Gateway Type',
'please_select_an_invoice_or_credit':
'Please select an invoice or credit',
@@ -2834,7 +2834,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'client_sales': 'Client Sales',
'tax_summary': 'Tax Summary',
'user_sales': 'User Sales',
- 'run_template': 'Run template',
+ 'run_template': 'Run Template',
'task_extension_banner': 'Add the Chrome extension to manage your tasks',
'watch_video': 'Watch Video',
'view_extension': 'View Extension',
@@ -3469,7 +3469,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'load_pdf': 'Load PDF',
'start_free_trial': 'Start Free Trial',
'start_free_trial_message':
- 'Start your FREE 14 day trial of the pro plan',
+ 'Start your FREE 14 day trial of the Pro Plan',
'due_on_receipt': 'Due on Receipt',
'is_paid': 'Is Paid',
'age_group_paid': 'Paid',
@@ -4596,7 +4596,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Shfaqni \'Paguar deri më tash\' në faturat tuaja pasi të jetë pranuar pagesa.',
'invoice_embed_documents': 'Dokumentet e lidhura',
- 'invoice_embed_documents_help': 'Vendos fotografinë në faturë.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Shfaqe Header',
'all_pages_footer': 'Shfaqe Footer',
'first_page': 'Faqja e parë',
@@ -4694,9 +4694,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'E lehtë',
'dark': 'E mbylltë',
'email_design': 'Dizajno emailin',
- 'attach_pdf': 'Attach PDF',
- 'attach_documents': 'Attach Documents',
- 'attach_ubl': 'Attach UBL',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Email Style',
'enable_email_markup': 'Aktivizo Markimin',
'reply_to_email': 'Reply-To Email',
@@ -5431,11 +5431,11 @@ mixin LocalizationsProvider on LocaleCodeAware {
'ar': {
'payment_failed': 'فشل الدفع',
'activity_141': 'المستخدم :user أدخل ملاحظة: :notes',
- 'activity_142': 'اقتباس :number تذكير 1 تم الإرسال',
+ 'activity_142': 'اقتباس :quote تذكير 1 تم الإرسال',
'activity_143': 'تم إصدار فاتورة تلقائية بنجاح للفاتورة :invoice',
'activity_144': 'فشل إصدار الفاتورة تلقائيًا للفاتورة :invoice . :notes',
'activity_145':
- 'تم تسليم الفاتورة الإلكترونية :invoice الخاصة بـ :client إلكترونيًا. :notes',
+ 'تم إرسال الفاتورة الإلكترونية :invoice لـ :client . :notes',
'ssl_host_override': 'تجاوز مضيف SSL',
'upload_logo_short': 'تحميل الشعار',
'show_pdfhtml_on_mobile_help':
@@ -7273,7 +7273,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'اعرض فقط -ما تم دفعه حتى الان- في فواتيرك اذا تم استلام الدفعه',
'invoice_embed_documents': 'تضمين المستندات',
- 'invoice_embed_documents_help': 'تضمين الصور المرفقة في الفاتورة.',
+ 'invoice_embed_documents_help': 'قم بإدراج الصور المرفقة في الفاتورة.',
'all_pages_header': 'إظهار الرأس في',
'all_pages_footer': 'إظهار التذييل في',
'first_page': 'الصفحة الأولى',
@@ -7371,7 +7371,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'dark': 'مظلم',
'email_design': 'تصميم البريد الإلكتروني',
'attach_pdf': 'إرفاق ملف PDF',
- 'attach_documents': 'ارفاق مستندات',
+ 'attach_documents': 'إرفاق المستندات',
'attach_ubl': 'إرفاق UBL/الفاتورة الإلكترونية',
'email_style': 'نمط البريد الإلكتروني',
'enable_email_markup': 'تمكين التوصيف',
@@ -8108,10 +8108,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bg': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -8172,7 +8172,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -9987,8 +9987,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Покажи \'Изплатено до момента\' във фактурите, след като е получено плащане.',
'invoice_embed_documents': 'Свързани документи',
- 'invoice_embed_documents_help':
- 'Включване на прикачените изображения във фактурата.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Показване на хедъра на',
'all_pages_footer': 'Показване на футъра на',
'first_page': 'Първа страница',
@@ -10085,9 +10084,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Светло',
'dark': 'Тъмно',
'email_design': 'Дизайн на имейл',
- 'attach_pdf': 'Прикачване на PDF',
- 'attach_documents': 'Прикачване на Документи',
- 'attach_ubl': 'Attach UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Стилове на имейла',
'enable_email_markup': 'Активиране на Markup',
'reply_to_email': 'Reply-To Email',
@@ -10827,10 +10826,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'zh_TW': {
'payment_failed': '付款失敗',
'activity_141': '使用者:user輸入註解: :notes',
- 'activity_142': '報價:number提醒 1 已發送',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': '發票:invoice的自動計費成功',
'activity_144': '發票:invoice的自動計費失敗。 :筆記',
- 'activity_145': ':client的電子發票:invoice已透過電子方式交付。 :筆記',
+ 'activity_145': ':client的電子發票:invoice已發送。 :筆記',
'ssl_host_override': 'SSL 主機覆蓋',
'upload_logo_short': '上傳標誌',
'show_pdfhtml_on_mobile_help': '為了改善視覺化效果,在行動裝置上查看時顯示 HTML 版本的發票/報價。',
@@ -12588,7 +12587,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date': '隱藏迄今之付款金額',
'hide_paid_to_date_help': '一旦收到付款,僅在您的發票上顯示「迄今之付款金額」。',
'invoice_embed_documents': '嵌入的文件',
- 'invoice_embed_documents_help': '在發票上附加圖片。',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': '顯示頁首於',
'all_pages_footer': '顯示頁尾於',
'first_page': '第一頁',
@@ -12678,9 +12677,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': '淺色',
'dark': '深色',
'email_design': '電子郵件的設計',
- 'attach_pdf': '附加 PDF 檔案',
- 'attach_documents': '附加文件',
- 'attach_ubl': '附上 UBL/電子發票',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': '電子郵件樣式',
'enable_email_markup': '啟用網頁標示',
'reply_to_email': '回覆電子郵件',
@@ -13402,10 +13401,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hr': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -13466,7 +13465,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -15272,7 +15271,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Prikažite \'Datum plaćanja\' na računima, onda kada je uplata primljena.',
'invoice_embed_documents': 'Ugrađeni dokumenti',
- 'invoice_embed_documents_help': 'Ubaci dodane dokumente u račun.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Prikaži zaglavlje na',
'all_pages_footer': 'Prikaži podnožje na',
'first_page': 'First page',
@@ -15370,9 +15369,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Svijetlo',
'dark': 'Tamno',
'email_design': 'Dizajn e-pošte',
- 'attach_pdf': 'Priložite PDF',
- 'attach_documents': 'Priložite dokumente',
- 'attach_ubl': 'Attach UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Stil e-pošte',
'enable_email_markup': 'Omogući markup',
'reply_to_email': 'Reply-To Email',
@@ -16108,10 +16107,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'cs': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -16161,8 +16160,8 @@ mixin LocalizationsProvider on LocaleCodeAware {
'30_minutes': '30 Minutes',
'1_hour': '1 Hour',
'1_day': '1 Day',
- 'round_tasks': 'Round Tasks',
- 'round_tasks_help': 'Round time intervals when saving tasks',
+ 'round_tasks': 'Task Rounding Direction',
+ 'round_tasks_help': 'Round task times up or down.',
'direction': 'Direction',
'round_up': 'Round Up',
'round_down': 'Round Down',
@@ -16172,7 +16171,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -16221,7 +16220,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'client_sales': 'Client Sales',
'tax_summary': 'Tax Summary',
'user_sales': 'User Sales',
- 'run_template': 'Run template',
+ 'run_template': 'Run Template',
'task_extension_banner': 'Add the Chrome extension to manage your tasks',
'watch_video': 'Watch Video',
'view_extension': 'View Extension',
@@ -16857,7 +16856,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'load_pdf': 'Načíst PDF',
'start_free_trial': 'Start Free Trial',
'start_free_trial_message':
- 'Start your FREE 14 day trial of the pro plan',
+ 'Start your FREE 14 day trial of the Pro Plan',
'due_on_receipt': 'Due on Receipt',
'is_paid': 'Je zaplaceno',
'age_group_paid': 'Zaplaceno',
@@ -18077,9 +18076,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Světlý',
'dark': 'Tmavý',
'email_design': 'Vzhled e-mailu',
- 'attach_pdf': 'Attach PDF',
- 'attach_documents': 'Přiložit dokumenty',
- 'attach_ubl': 'Attach UBL',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Email Style',
'enable_email_markup': 'Umožnit mikroznačky',
'reply_to_email': 'Reply-To Email',
@@ -18813,10 +18812,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'da': {
'payment_failed': 'Betaling mislykkedes',
'activity_141': 'Bruger :user indtastet notat: :notes',
- 'activity_142': 'tilbud :number rykker 1 sendt',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill lykkedes for Faktura :invoice',
'activity_144': 'Auto Bill mislykkedes for Faktura :invoice . :noter',
- 'activity_145': 'EFaktura :invoice for :client blev e-leveret. :noter',
+ 'activity_145': 'E- Faktura :invoice for :client blev sendt. :noter',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload logo',
'show_pdfhtml_on_mobile_help':
@@ -20795,9 +20794,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Light',
'dark': 'Dark',
'email_design': 'Email Design',
- 'attach_pdf': 'Vedhæft PDF',
- 'attach_documents': 'Vedhæft dokumenter',
- 'attach_ubl': 'Vedhæft UBL/E-Faktura',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'e-mail stil',
'enable_email_markup': 'Brug HTML markup sprog',
'reply_to_email': 'Svar-til e-mail',
@@ -21531,10 +21530,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'nl': {
'payment_failed': 'Betaling mislukt',
'activity_141': 'Gebruiker :user heeft een notitie toegevoegd: :notes',
- 'activity_142': '1 herinnering verzonden voor offerte :number',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Factuur :invoice is succesvol geïncasseerd',
'activity_144': 'Incasso mislukt voor factuur :invoice. :notes',
- 'activity_145': 'E-factuur :invoice voor :client is afgeleverd. :notes',
+ 'activity_145': 'E-factuur :invoice voor :client is verzonden. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Logo uploaden',
'show_pdfhtml_on_mobile_help':
@@ -23444,8 +23443,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Toon alleen het \'Reeds betaald\' gebied op uw facturen als er een betaling gemaakt is.',
'invoice_embed_documents': 'Documenten invoegen',
- 'invoice_embed_documents_help':
- 'Bijgevoegde afbeeldingen weergeven in de factuur.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Toon koptekst op',
'all_pages_footer': 'Toon footer op',
'first_page': 'eerste pagina',
@@ -23543,9 +23541,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Licht',
'dark': 'Donker',
'email_design': 'E-mailontwerp',
- 'attach_pdf': 'PDF bijvoegen',
- 'attach_documents': 'Document bijvoegen',
- 'attach_ubl': 'UBL en/of e-factuur bijvoegen',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'E-mail opmaak',
'enable_email_markup': 'Opmaak inschakelen',
'reply_to_email': 'Reply-To e-mailadres',
@@ -24289,10 +24287,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'en_GB': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -26991,10 +26989,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'et': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -27055,7 +27053,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -28861,7 +28859,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Ainult näita \'Tasutud\' välja arvel, kui makse on loodud.',
'invoice_embed_documents': 'Manusta dokumendid',
- 'invoice_embed_documents_help': 'Lisage arvele lisatud pildid.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Näita Päist',
'all_pages_footer': 'Näita Jalust',
'first_page': 'Esimene lehekülg',
@@ -28957,9 +28955,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Hele',
'dark': 'Tume',
'email_design': 'E-kirja Kujundus',
- 'attach_pdf': 'Lisage PDF',
- 'attach_documents': 'Lisage dokumendid',
- 'attach_ubl': 'Attach UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Meili stiil',
'enable_email_markup': 'Luba märgistus',
'reply_to_email': 'Vastus meilile',
@@ -29696,10 +29694,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'fi': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -29760,7 +29758,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -31566,7 +31564,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Näytä \'Maksettava päivämäärään mennessä\' kenttä laskuillasi vain maksetuilla laskuilla.',
'invoice_embed_documents': 'Embed Documents',
- 'invoice_embed_documents_help': 'Sisällytä liitetyt kuvat laskuun.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'näytä Header on',
'all_pages_footer': 'Näytä alatunniste',
'first_page': 'ensimmäinen page',
@@ -31664,9 +31662,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Vaalea',
'dark': 'Tumma',
'email_design': 'Sähköpostin muotoilu',
- 'attach_pdf': 'Liitä PDF',
- 'attach_documents': 'Liitä asiakirjoja',
- 'attach_ubl': 'Attach UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Email Style',
'enable_email_markup': 'Ota käyttöön merkintä',
'reply_to_email': 'Reply-To Email',
@@ -32402,13 +32400,13 @@ mixin LocalizationsProvider on LocaleCodeAware {
'fr': {
'payment_failed': 'Paiement échoué',
'activity_141': 'L'utilisateur :user a saisi la note : :notes',
- 'activity_142': 'Citation :number rappel 1 envoyé',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143':
'Facturation automatique réussie pour la facture :invoice',
'activity_144':
'Échec de la facturation automatique pour la facture :invoice . :notes',
'activity_145':
- 'La facture électronique :invoice pour :client a été envoyée par voie électronique. :notes',
+ 'La facture électronique :invoice pour :client a été envoyée. :notes',
'ssl_host_override': 'Remplacement de l'hôte SSL',
'upload_logo_short': 'Télécharger le logo',
'show_pdfhtml_on_mobile_help':
@@ -34366,8 +34364,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Afficher la ligne \'Payé à ce jour\' sur vos factures seulement une fois qu\'un paiement a été reçu.',
'invoice_embed_documents': 'Documents intégrés',
- 'invoice_embed_documents_help':
- 'Inclure l\'image attachée dans la facture.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Voir les en-têtes sur',
'all_pages_footer': 'Voir les pieds de page sur',
'first_page': 'Première page',
@@ -34465,9 +34462,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Clair',
'dark': 'Sombre',
'email_design': 'Modèle de courriel',
- 'attach_pdf': 'Joindre PDF',
- 'attach_documents': 'Joindre les Documents',
- 'attach_ubl': 'Joindre une facture UBL/électronique',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Style d\'email',
'enable_email_markup': 'Activer le balisage',
'reply_to_email': 'Adresse de réponse',
@@ -35217,12 +35214,13 @@ mixin LocalizationsProvider on LocaleCodeAware {
'fr_CA': {
'payment_failed': 'Le paiement a échoué',
'activity_141': 'L\'utilisateur:user a saisi la note: :notes',
- 'activity_142': 'Le rappel 1 de la soumission :number a été envoyé',
+ 'activity_142': 'Le rappel 1 de la soumission :quote a été envoyé',
'activity_143':
'La facturation automatique a réussi pour la facture :invoice',
'activity_144':
'La facturation automatique de :invoice_number a échouée. :notes',
- 'activity_145': 'E-Facture :invoice pour :client à été envoyée. :notes',
+ 'activity_145':
+ 'La facture électronique :invoice pour :client a été envoyée. :notes',
'ssl_host_override': 'Substitution d\'hôte SSL',
'upload_logo_short': 'Téléverser un logo',
'show_pdfhtml_on_mobile_help':
@@ -36819,7 +36817,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'city_state_postal': 'Ville/Prov/CP',
'postal_city_state': 'Ville/Province/Code postal',
'custom1': 'Première personnalisation',
- 'custom2': 'Dexième personnalisation',
+ 'custom2': 'Deuxième personnalisation',
'custom3': 'Troisième rappel',
'custom4': 'Quatrième personnalisée',
'optional': 'Optionnel',
@@ -37258,8 +37256,8 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Clair',
'dark': 'Foncé',
'email_design': 'Modèle de courriel',
- 'attach_pdf': 'Joindre un PDF',
- 'attach_documents': 'Joindre un document',
+ 'attach_pdf': 'joindre PDF',
+ 'attach_documents': 'Joindre des documents',
'attach_ubl': 'Joindre la facture UBL',
'email_style': 'Style de courriel',
'enable_email_markup': 'Autoriser le marquage',
@@ -37777,7 +37775,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'email_receipt': 'Envoyer le reçu de paiement par courriel au client',
'auto_billing': 'Facturation automatique',
'button': 'Bouton',
- 'preview': 'Prévisualitsation',
+ 'preview': 'Prévisualisation',
'customize': 'Personnalisation',
'history': 'Historique',
'payment': 'Paiement',
@@ -38003,13 +38001,13 @@ mixin LocalizationsProvider on LocaleCodeAware {
'fr_CH': {
'payment_failed': 'Paiement échoué',
'activity_141': 'L'utilisateur :user a saisi la note : :notes',
- 'activity_142': 'Citation :number rappel 1 envoyé',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143':
'Facturation automatique réussie pour la facture :invoice',
'activity_144':
'Échec de la facturation automatique pour la facture :invoice . :notes',
'activity_145':
- 'La facture électronique :invoice pour :client a été envoyée par voie électronique. :notes',
+ 'La facture électronique :invoice pour :client a été envoyée. :notes',
'ssl_host_override': 'Remplacement de l'hôte SSL',
'upload_logo_short': 'Télécharger le logo',
'show_pdfhtml_on_mobile_help':
@@ -39946,8 +39944,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Afficher seulement la ligne \'Payé à ce jour\' sur les factures pour lesquelles il y a au moins un paiement.',
'invoice_embed_documents': 'Documents intégrés',
- 'invoice_embed_documents_help':
- 'Inclure les images jointes dans la facture.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Afficher l\'en-tête sur',
'all_pages_footer': 'Afficher le pied de page sur',
'first_page': 'première page',
@@ -40046,9 +40043,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Clair',
'dark': 'Foncé',
'email_design': 'Modèle de courriel',
- 'attach_pdf': 'Joindre un PDF',
- 'attach_documents': 'Joindre un document',
- 'attach_ubl': 'Joindre une facture UBL/électronique',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Style de courriel',
'enable_email_markup': 'Autoriser le marquage',
'reply_to_email': 'Courriel de réponse',
@@ -40802,14 +40799,12 @@ mixin LocalizationsProvider on LocaleCodeAware {
'de': {
'payment_failed': 'Zahlung fehlgeschlagen',
'activity_141': 'Benutzer :user hat folgende Notiz eingegeben: :notes',
- 'activity_142':
- 'Angebot / Kostenvoranschlag :number Erinnerung 1 gesendet',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143':
'Automatische Rechnungsstellung für Rechnung :invoice erfolgreich',
'activity_144':
'Automatische Rechnungsstellung für Rechnung :invoice fehlgeschlagen. :notes',
- 'activity_145':
- 'E-Rechnung :invoice für :client wurde elektronisch zugestellt. :notes',
+ 'activity_145': 'E-Rechnung :invoice für :client wurde gesendet. :notes',
'ssl_host_override': 'SSL-Host-Override',
'upload_logo_short': 'Logo hochladen',
'show_pdfhtml_on_mobile_help':
@@ -41097,7 +41092,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'Upgrade auf einen kostenpflichtigen Plan zur Erstellung von Zeitplänen',
'next_run': 'Nächster Durchlauf',
'all_clients': 'Alle Kunden',
- 'show_aging_table': 'Alterungstabelle anzeigen',
+ 'show_aging_table': 'Zeiterfassungstabelle anzeigen',
'show_payments_table': 'Tabelle der Zahlungen anzeigen',
'only_clients_with_invoices': 'Nur Kunden mir Rechnungen',
'email_statement': 'E-Mail-Erklärung',
@@ -42763,8 +42758,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'\'Bereits gezahlt\' nur anzeigen, wenn eine Zahlung eingegangen ist.',
'invoice_embed_documents': 'Dokumente einbetten',
- 'invoice_embed_documents_help':
- 'Bildanhänge zu den Rechnungen hinzufügen.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Zeige Kopf auf',
'all_pages_footer': 'Zeige Fußzeilen auf',
'first_page': 'Erste Seite',
@@ -42862,9 +42856,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Hell',
'dark': 'Dunkel',
'email_design': 'E-Mail-Design',
- 'attach_pdf': 'PDF anhängen',
- 'attach_documents': 'Dokumente anhängen',
- 'attach_ubl': 'UBL/E-Rechnung anhängen',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'E-Mail-Stil',
'enable_email_markup': 'Markup erlauben',
'reply_to_email': 'Antwort-E-Mail-Adresse',
@@ -43318,7 +43312,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'please_select_a_date': 'Bitte wählen Sie ein Datum',
'please_select_a_client': 'Bitte wählen Sie einen Kunden',
'please_select_an_invoice': 'Bitte wählen Sie eine Rechnung aus',
- 'task_rate': 'Kosten für Tätigkeit',
+ 'task_rate': 'Stundensatz',
'settings': 'Einstellungen',
'language': 'Sprache',
'currency': 'Währung',
@@ -43616,10 +43610,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'el': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -43680,7 +43674,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -45516,8 +45510,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Εμφάνιση πεδίου \'Εξοφλημένο Ποσό\' μόνο στο παραστατικό όταν ληφθεί μια πληρωμή.',
'invoice_embed_documents': 'Ενσωματωμένα Έγγραφα',
- 'invoice_embed_documents_help':
- 'Συμπεριλάβετε τις συνημμένες εικόνες στο τιμολόγιο',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Εμφάνιση Κεφαλίδας',
'all_pages_footer': 'Εμφάνιση Υποσέλιδου',
'first_page': 'Πρώτη σελίδα',
@@ -45615,9 +45608,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Ανοιχτό',
'dark': 'Σκούρο',
'email_design': 'Σχεδίαση Email',
- 'attach_pdf': 'Επισύναψε PDF',
- 'attach_documents': 'Επισύναψη Εγγράφων',
- 'attach_ubl': 'Attach UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Στυλ Email',
'enable_email_markup': 'Ενεργοποίηση Σημανσης',
'reply_to_email': 'Email Απάντησης',
@@ -46366,12 +46359,12 @@ mixin LocalizationsProvider on LocaleCodeAware {
'load_color_theme': 'Load Color Theme',
},
'he': {
- 'payment_failed': 'Payment Failed',
+ 'payment_failed': 'התשלום נכשל',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -46381,9 +46374,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'one_page_checkout_help': 'Enable the new single page payment flow',
'applies_to': 'Applies To',
'purchase_order_items': 'פריטי הזמנה לרכישה',
- 'assigned_group': 'Successfully assigned group',
+ 'assigned_group': 'קבוצה הוקצתה בהצלחה',
'assign_group': 'הקצה קבוצה',
- 'merge_to_pdf': 'Merge to PDF',
+ 'merge_to_pdf': 'מזג ל-PDF',
'emails': 'דואר אלקטרוני',
'latest_requires_php_version':
'Note: the latest version requires PHP :version',
@@ -46401,10 +46394,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'referral_url': 'Referral URL',
'referral_program': 'תכנית שותפים',
'comment': 'הערות',
- 'add_comment': 'Add Comment',
- 'added_comment': 'Successfully saved comment',
- 'disconnected': 'Disconnected',
- 'reconnect': 'Reconnect',
+ 'add_comment': 'הוסף תגובה',
+ 'added_comment': 'התגובה נשמרה בהצלחה',
+ 'disconnected': 'מנותק',
+ 'reconnect': 'חיבור מחדש',
'e_invoice_settings': 'E-Invoice Settings',
'calculate': 'Calculate',
'sum': 'Sum',
@@ -46414,19 +46407,19 @@ mixin LocalizationsProvider on LocaleCodeAware {
'web_app': 'Web App',
'desktop_app': 'Desktop App',
'invoice_net_amount': 'Invoice Net Amount',
- 'round_to_seconds': 'Round To Seconds',
- '1_minute': '1 Minute',
- '5_minutes': '5 Minutes',
- '15_minutes': '15 Minutes',
- '30_minutes': '30 Minutes',
- '1_hour': '1 Hour',
- '1_day': '1 Day',
- 'round_tasks': 'Task Rounding Direction',
- 'round_tasks_help': 'Round task times up or down.',
- 'direction': 'Direction',
- 'round_up': 'Round Up',
- 'round_down': 'Round Down',
- 'task_round_to_nearest': 'Round To Nearest',
+ 'round_to_seconds': 'עגל לשניות',
+ '1_minute': 'דקה',
+ '5_minutes': '5 דקות',
+ '15_minutes': '15 דקות',
+ '30_minutes': '30 דקות',
+ '1_hour': 'שעה',
+ '1_day': 'יום',
+ 'round_tasks': 'כיוון עיגול משימה',
+ 'round_tasks_help': 'עגל זמני משימה מעלה או מטה',
+ 'direction': 'כיוון',
+ 'round_up': 'עגל כלפי מעלה',
+ 'round_down': 'עגל כלפי מטה',
+ 'task_round_to_nearest': 'עגל לקרוב ביותר',
'activity_139': 'הודעת הוצאה :expense נשלחה אל :contact',
'activity_140': 'Statement sent to :client',
'bulk_updated': 'Successfully updated data',
@@ -46448,7 +46441,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'valid_vat_number': 'מספר מע"מ תקף',
'use_available_payments': 'השתמש בתשלומים זמינים',
'test_email_sent': 'דוא"ל נשלח בהצלחה',
- 'send_test_email': 'Send Test Email',
+ 'send_test_email': 'שלח אימייל ניסיון',
'gateway_type': 'סוג שער',
'please_select_an_invoice_or_credit': 'אנא בחר חשבונית או זיכוי',
'mobile_version': 'גרסת נייד',
@@ -47926,7 +47919,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'deleted_designs': 'עיצובים של :value נמחקו בהצלחה',
'restored_designs': 'עיצובי :value שוחזרו בהצלחה',
'proposals': 'הצעות',
- 'tickets': 'Tickets',
+ 'tickets': 'פניות',
'recurring_quotes': 'כמות חוזרת',
'recurring_tasks': 'משימה מחזורית',
'account_management': 'ניהול חשבון',
@@ -48190,7 +48183,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'הצג אך ורק \'שולם עד תאריך\' על חשבונית אחרי שהתקבל תשלום',
'invoice_embed_documents': 'מסמכים מוטמעים',
- 'invoice_embed_documents_help': 'כלול קבצים מצורפים כתמונות בחשבונית',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Show Header on',
'all_pages_footer': 'Show Footer on',
'first_page': 'עמוד ראשון',
@@ -48285,9 +48278,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'בהיר',
'dark': 'כהה',
'email_design': 'עיצוב דוא\'ל',
- 'attach_pdf': 'צרף PDF',
- 'attach_documents': 'צרף מסמכים',
- 'attach_ubl': 'Attach UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'סגנון אימייל',
'enable_email_markup': 'אפשר סימון',
'reply_to_email': 'השב לדוא\'ל',
@@ -48938,8 +48931,8 @@ mixin LocalizationsProvider on LocaleCodeAware {
'expense_number_counter': 'מונה מספר הוצאות',
'vendor_number_pattern': 'דפוס מספר ספק',
'vendor_number_counter': 'מונה מספרי ספקים',
- 'ticket_number_pattern': 'דפוס מספר כרטיס',
- 'ticket_number_counter': 'מונה מספרי כרטיסים',
+ 'ticket_number_pattern': 'דפוס מספר פנייה',
+ 'ticket_number_counter': 'מונה מספרי פניות',
'payment_number_pattern': 'דפוס מספר תשלום',
'payment_number_counter': 'מונה מספרי תשלום',
'invoice_number_pattern': 'דפוס מספר חשבונית',
@@ -49019,13 +49012,12 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hu': {
'payment_failed': 'Sikertelen fizetés',
'activity_141': 'A :user felhasználó megjegyzést írt be: :notes',
- 'activity_142': 'Idézet :number 1. emlékeztető elküldve',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143':
'Az automatikus számlázás sikeres volt a :invoice számlánál',
'activity_144':
'Az automatikus számla :invoice számlánál nem sikerült. :jegyzetek',
- 'activity_145':
- ':invoice E-számlát :client számlához elektronikusan kézbesítettük. :jegyzetek',
+ 'activity_145': 'A :client :invoice e-számlát elküldtük. :jegyzetek',
'ssl_host_override': 'SSL gazdagép felülbírálása',
'upload_logo_short': 'Logó feltöltése',
'show_pdfhtml_on_mobile_help':
@@ -50862,7 +50854,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Csak akkor jelenjen meg a számlán a \'Már kifizetve\' rész, ha legalább egy fizetés megtörtént',
'invoice_embed_documents': 'Dokumentumok beágyazása',
- 'invoice_embed_documents_help': 'Csatolja a dokumentumokat a PDF-hez',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Összes oldal fejléce',
'all_pages_footer': 'Összes oldal lábléce',
'first_page': 'Első oldal',
@@ -50962,9 +50954,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Világos',
'dark': 'Sötét',
'email_design': 'Email kialakítás',
- 'attach_pdf': 'PDF csatolása',
- 'attach_documents': 'Dokumentumok csatolása',
- 'attach_ubl': 'Csatolja az UBL/E-számlát',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'E-mail stílusa',
'enable_email_markup': 'Email markup engedélyezése',
'reply_to_email': 'Válasz e-mail címe',
@@ -51702,10 +51694,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'it': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -53632,7 +53624,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Visualizza l\'area \'Pagato alla data\' sulle fatture solo dopo aver ricevuto un pagamento.',
'invoice_embed_documents': 'Embed Documents',
- 'invoice_embed_documents_help': 'Includi immagini allegate alla fattura.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Mostra l\'Intestazione su',
'all_pages_footer': 'Visualizza Piè di Pagina su',
'first_page': 'Prima pagina',
@@ -53732,9 +53724,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Light',
'dark': 'Dark',
'email_design': 'Email Design',
- 'attach_pdf': 'Allega PDF',
- 'attach_documents': 'Allega documenti',
- 'attach_ubl': 'Attach UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Stile Email',
'enable_email_markup': 'Enable Markup',
'reply_to_email': 'Indirizzo di Risposta mail',
@@ -54486,10 +54478,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'ja': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -54550,7 +54542,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -56436,9 +56428,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'ライト',
'dark': 'ダーク',
'email_design': 'Eメール デザイン',
- 'attach_pdf': 'Attach PDF',
- 'attach_documents': 'Attach Documents',
- 'attach_ubl': 'Attach UBL',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Email Style',
'enable_email_markup': 'マークアップを許可する',
'reply_to_email': 'Reply-To Email',
@@ -57171,10 +57163,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'km_KH': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -59058,8 +59050,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'បង្ហាញតែតំបន់ "បង់ប្រាក់ដល់កាលបរិច្ឆេទ" នៅលើវិក្កយបត្ររបស់អ្នក នៅពេលដែលការទូទាត់ត្រូវបានទទួល។',
'invoice_embed_documents': 'ឯកសារបង្កប់',
- 'invoice_embed_documents_help':
- 'រួមបញ្ចូលរូបភាពដែលបានភ្ជាប់នៅក្នុងវិក្កយបត្រ។',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'បង្ហាញបឋមកថានៅលើ',
'all_pages_footer': 'បង្ហាញបាតកថានៅលើ',
'first_page': 'ទំព័រទីមួយ',
@@ -59157,9 +59148,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'ពន្លឺ',
'dark': 'ងងឹត',
'email_design': 'រចនាអ៊ីមែល',
- 'attach_pdf': 'ភ្ជាប់ PDF',
- 'attach_documents': 'ភ្ជាប់ឯកសារ',
- 'attach_ubl': 'Attach UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'រចនាប័ទ្មអ៊ីមែល',
'enable_email_markup': 'បើកការសម្គាល់',
'reply_to_email': 'ឆ្លើយតបទៅអ៊ីមែល',
@@ -59899,11 +59890,11 @@ mixin LocalizationsProvider on LocaleCodeAware {
'lo_LA': {
'payment_failed': 'ການຈ່າຍເງິນລົ້ມເຫລວ',
'activity_141': 'ຜູ້ໃຊ້ :user ປ້ອນບັນທຶກ: :notes',
- 'activity_142': 'ວົງຢືມ :number ແຈ້ງເຕືອນ 1 ສົ່ງແລ້ວ',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'ໃບບິນອັດຕະໂນມັດສຳເລັດສຳລັບໃບຮຽກເກັບເງິນ :invoice',
'activity_144':
'ໃບບິນອັດຕະໂນມັດລົ້ມເຫລວສໍາລັບໃບແຈ້ງໜີ້ :invoice . :ໝາຍເຫດ',
- 'activity_145': 'EInvoice :invoice ສໍາລັບ :client ຖືກສົ່ງແລ້ວ. :ໝາຍເຫດ',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host override',
'upload_logo_short': 'ອັບໂຫຼດໂລໂກ້',
'show_pdfhtml_on_mobile_help':
@@ -61738,7 +61729,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'ພຽງແຕ່ສະແດງພື້ນທີ່ \'ຈ່າຍໃຫ້ວັນທີ\' ໃນໃບແຈ້ງໜີ້ຂອງທ່ານເມື່ອໄດ້ຮັບການຈ່າຍເງິນແລ້ວ.',
'invoice_embed_documents': 'ຝັງເອກະສານ',
- 'invoice_embed_documents_help': 'ລວມເອົາຮູບທີ່ຕິດຢູ່ໃນໃບແຈ້ງໜີ້.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'ສະແດງຫົວໃສ່',
'all_pages_footer': 'ສະແດງສ່ວນທ້າຍສຸດ',
'first_page': 'ໜ້າທຳອິດ',
@@ -61835,9 +61826,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'ແສງ',
'dark': 'ມືດ',
'email_design': 'ອອກແບບອີເມວ',
- 'attach_pdf': 'ແນບ PDF',
- 'attach_documents': 'ແນບເອກະສານ',
- 'attach_ubl': 'ແນບ UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'ຮູບແບບອີເມວ',
'enable_email_markup': 'ເປີດໃຊ້ Markup',
'reply_to_email': 'ຕອບກັບຫາອີເມວ',
@@ -62572,10 +62563,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'lv_LV': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -62636,7 +62627,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -64538,9 +64529,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Light',
'dark': 'Dark',
'email_design': 'E-pasta dizains',
- 'attach_pdf': 'Attach PDF',
- 'attach_documents': 'Attach Documents',
- 'attach_ubl': 'Attach UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Email Style',
'enable_email_markup': 'Enable Markup',
'reply_to_email': 'Atbildēt uz e-pastu',
@@ -65275,10 +65266,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'lt': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -65339,7 +65330,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -67241,9 +67232,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Light',
'dark': 'Tamsu',
'email_design': 'Email Design',
- 'attach_pdf': 'Attach PDF',
- 'attach_documents': 'Attach Documents',
- 'attach_ubl': 'Attach UBL',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Email Style',
'enable_email_markup': 'Enable Markup',
'reply_to_email': 'Reply-To Email',
@@ -67978,10 +67969,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'mk_MK': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -68042,7 +68033,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -69850,8 +69841,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Прикажи \'Платено до датум\' на фактурите откако ќе биде примено плаќањето.',
'invoice_embed_documents': 'Вметни документи',
- 'invoice_embed_documents_help':
- 'Вклучи ги прикачените слики во фактурата.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Прикажи заглавје на',
'all_pages_footer': 'Прикажи футер на',
'first_page': 'Прва страна',
@@ -69949,9 +69939,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Светло',
'dark': 'Темно',
'email_design': 'Дизајн на е-пошта',
- 'attach_pdf': 'Attach PDF',
- 'attach_documents': 'Attach Documents',
- 'attach_ubl': 'Attach UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Email Style',
'enable_email_markup': 'Овозможи обележување',
'reply_to_email': 'Одговори-на е-пошта',
@@ -70686,10 +70676,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'nb_NO': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -70800,7 +70790,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'client_sales': 'Client Sales',
'tax_summary': 'Tax Summary',
'user_sales': 'User Sales',
- 'run_template': 'Run template',
+ 'run_template': 'Run Template',
'task_extension_banner': 'Add the Chrome extension to manage your tasks',
'watch_video': 'Watch Video',
'view_extension': 'View Extension',
@@ -71435,7 +71425,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'load_pdf': 'Load PDF',
'start_free_trial': 'Start Free Trial',
'start_free_trial_message':
- 'Start your FREE 14 day trial of the pro plan',
+ 'Start your FREE 14 day trial of the Pro Plan',
'due_on_receipt': 'Due on Receipt',
'is_paid': 'Is Paid',
'age_group_paid': 'Paid',
@@ -72652,9 +72642,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Light',
'dark': 'Dark',
'email_design': 'Email Design',
- 'attach_pdf': 'Attach PDF',
- 'attach_documents': 'Attach Documents',
- 'attach_ubl': 'Attach UBL',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Email Style',
'enable_email_markup': 'Enable Markup',
'reply_to_email': 'Svar til Epost',
@@ -73390,10 +73380,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'fa': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -73454,7 +73444,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -75356,9 +75346,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Light',
'dark': 'Dark',
'email_design': 'Email Design',
- 'attach_pdf': 'Attach PDF',
- 'attach_documents': 'Attach Documents',
- 'attach_ubl': 'Attach UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Email Style',
'enable_email_markup': 'Enable Markup',
'reply_to_email': 'Reply-To Email',
@@ -76156,7 +76146,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -78801,10 +78791,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'pt_BR': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -80718,7 +80708,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Apenas mostrar \'Pago até a Data\' em suas faturas uma vez que o pagamento for recebido.',
'invoice_embed_documents': 'Embutir Documentos',
- 'invoice_embed_documents_help': 'Incluir imagens anexas na fatura.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Exibir Cabeçalho em',
'all_pages_footer': 'Exibir Rodapé em',
'first_page': 'Primeira página',
@@ -80816,9 +80806,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Claro',
'dark': 'Escuro',
'email_design': 'Design do Email',
- 'attach_pdf': 'Anexar PDF',
- 'attach_documents': 'Anexar Documentos',
- 'attach_ubl': 'Attach UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Estilo do E-mail',
'enable_email_markup': 'Habilitar Marcação',
'reply_to_email': 'Email para Resposta',
@@ -81559,10 +81549,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'pt_PT': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -81587,7 +81577,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'task_assigned_notification_help':
'Send an email when a task is assigned',
'invoices_locked_end_of_month':
- 'Invoices are locked at the end of the month',
+ 'As Faturas são bloqueadas no final do mês',
'end_of_month': 'End Of Month',
'referral_url': 'Referral URL',
'referral_program': 'Programa de Indicação',
@@ -81596,7 +81586,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'added_comment': 'Successfully saved comment',
'disconnected': 'Disconnected',
'reconnect': 'Reconnect',
- 'e_invoice_settings': 'E-Invoice Settings',
+ 'e_invoice_settings': 'Definições E-Fatura',
'calculate': 'Calculate',
'sum': 'Sum',
'money': 'Money',
@@ -81604,7 +81594,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'format': 'Formato',
'web_app': 'Web App',
'desktop_app': 'Desktop App',
- 'invoice_net_amount': 'Invoice Net Amount',
+ 'invoice_net_amount': 'Total Líquido',
'round_to_seconds': 'Round To Seconds',
'1_minute': '1 Minute',
'5_minutes': '5 Minutes',
@@ -81623,7 +81613,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -81826,7 +81816,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'client_initiated_payments': 'Pagamentos iniciados pelo cliente',
'client_initiated_payments_help':
'Suporte para efetuar um pagamento no portal do cliente sem fatura',
- 'share_invoice_quote_columns': 'Compartilhar Colunas de Fatura/Cotação',
+ 'share_invoice_quote_columns': 'Compartilhar Colunas de Fatura/Orçamento',
'cc_email': 'CC e-mail',
'payment_balance': 'Saldo de pagamento',
'view_report_permission':
@@ -81861,7 +81851,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'search_schedule': 'Horário de pesquisa',
'search_schedules': 'Pesquisar Horários',
'archive_payment': 'Arquivar Pagamento',
- 'archive_invoice': 'Arquivar Nota Pagamento',
+ 'archive_invoice': 'Arquivar Fatura',
'archive_quote': 'Arquivar Orçamento',
'archive_credit': 'Arquivar Nota de Crédito',
'archive_task': 'Arquivar Tarefa',
@@ -81869,7 +81859,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'archive_project': 'Arquivar Projeto',
'archive_expense': 'Arquivar Despesa',
'restore_payment': 'Restaurar Pagamento',
- 'restore_invoice': 'Restaurar Nota de Pagamento',
+ 'restore_invoice': 'Restaurar Fatura',
'restore_quote': 'Restaurar Orçamento',
'restore_credit': 'Restaurar Nota de Crédito',
'restore_task': 'Restaurar Tarefa',
@@ -82091,8 +82081,8 @@ mixin LocalizationsProvider on LocaleCodeAware {
'field': 'Campo',
'period': 'Período',
'fields_per_row': 'Campos Por Linha',
- 'total_active_invoices': 'Notas De Pag. Ativas',
- 'total_outstanding_invoices': 'Notas Pag. Pendentes',
+ 'total_active_invoices': 'Faturas Ativas',
+ 'total_outstanding_invoices': 'Faturas Pendentes',
'total_completed_payments': 'Pagamentos Concluídos',
'total_refunded_payments': 'Pagamentos Reembolsados',
'total_active_quotes': 'Orçamentos Ativos',
@@ -82249,11 +82239,11 @@ mixin LocalizationsProvider on LocaleCodeAware {
'center': 'Centro',
'page_numbering': 'Numeração de página',
'page_numbering_alignment': 'Alinhamento de Numeração de Página',
- 'invoice_sent_notification_label': 'Nota de Pagamento Enviada',
+ 'invoice_sent_notification_label': 'Fatura Enviada',
'show_product_description': 'Mostrar descrição do produto',
'show_product_description_help':
'Inclua a descrição no menu suspenso do produto',
- 'invoice_items': 'Produtos na Nota Pag.',
+ 'invoice_items': 'Produtos na Fatura',
'quote_items': 'Produtos do Orçamento',
'profitloss': 'Lucros e perdas',
'import_format': 'Formato de Importação',
@@ -82270,7 +82260,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'multiple_client_error': 'Erro: registros pertencem a mais de um cliente',
'register_label': 'Crie a sua conta em segundos',
'login_label': 'Faça login em uma conta existente',
- 'add_to_invoice': 'Adicionar na nota de pagamento :invoice',
+ 'add_to_invoice': 'Adicionar à Fatura :invoice',
'no_invoices_found': 'Nenhuma fatura encontrada',
'week': 'Semana',
'created_record': 'Registro criado com sucesso',
@@ -82283,7 +82273,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'alternate_pdf_viewer': 'Visualizador de PDF alternativo',
'alternate_pdf_viewer_help':
'Melhore a rolagem na visualização do PDF [BETA]',
- 'invoice_currency': 'Moeda da Nota de Pagamento',
+ 'invoice_currency': 'Moeda da Fatura',
'range': 'Período',
'tax_amount1': 'Valor do imposto 1',
'tax_amount2': 'Valor do imposto 2',
@@ -82294,7 +82284,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'cancel_invoice': 'Cancelar',
'changed_status': 'Status da tarefa alterado com sucesso',
'change_status': 'Alterar estado',
- 'fees_sample': 'A taxa para :amount nota de pag. deve ser :total.',
+ 'fees_sample': 'A taxa para :amount Fatura deve ser :total.',
'enable_touch_events': 'Ativar eventos de toque',
'enable_touch_events_help': 'Suporta eventos de arrastar para rolar',
'after_saving': 'Depois de Salvar',
@@ -82342,7 +82332,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'html_preview_warning':
'Obs: as alterações feitas aqui são apenas pré-visualizadas, devem ser aplicadas nas abas acima para serem salvas',
'remaining': 'Restante',
- 'invoice_paid': 'Fatura paga',
+ 'invoice_paid': 'Fatura Paga',
'activity_120': ':user criou despesa recorrente :recurring_expense',
'activity_121': ':user despesa recorrente atualizada :recurring_expense',
'activity_122': ':user despesa recorrente arquivada :recurring_expense',
@@ -82426,7 +82416,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'last_sent_date': 'Data do último envio',
'include_drafts': 'Incluir Rascunhos',
'include_drafts_help': 'Incluir rascunhos de registros em relatórios',
- 'is_invoiced': 'é faturado',
+ 'is_invoiced': 'Faturado',
'change_plan': 'Gerenciar plano',
'persist_data': 'dados persistentes',
'customer_count': 'Contagem de clientes',
@@ -82461,7 +82451,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'sidebar_inactive_font_color': 'Cor da fonte inativa da barra lateral',
'table_alternate_row_background_color':
'Cor de fundo da linha alternativa da tabela',
- 'invoice_header_background_color': 'Cor de fundo do cabeçalho da fatura',
+ 'invoice_header_background_color': 'Cor de Fundo do Cabeçalho da Fatura',
'invoice_header_font_color': 'Cor da Fonte do Cabeçalho da Fatura',
'net_subtotal': 'Líquido',
'review_app': 'Avaliar aplicativo',
@@ -82475,7 +82465,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'client_portal_domain_hint':
'Opcionalmente, configure um domínio separado do portal do cliente',
'tasks_shown_in_portal': 'Tarefas Mostradas no Portal',
- 'uninvoiced': 'Não faturado',
+ 'uninvoiced': 'Não Faturado',
'subdomain_guide':
'O subdomínio é usado no portal do cliente para personalizar links para combinar com sua marca. ou seja, https://your-brand.invoicing.co',
'send_time': 'Hora de envio',
@@ -82502,16 +82492,11 @@ mixin LocalizationsProvider on LocaleCodeAware {
'step_2_authorize': 'Etapa 2: autorizar',
'account_id': 'ID da conta',
'migration_not_yet_completed': 'A migração ainda não foi concluída',
- 'activity_100':
- ':user criou uma nota de pagamento recorrente :recurring_invoice',
- 'activity_101':
- ':user atualizou uma nota de pagamento recorrente :recurring_invoice',
- 'activity_102':
- ':user arquivou uma nota de pagamento recorrente :recurring_invoice',
- 'activity_103':
- ':user apagou uma nota de pagamento recorrente :recurring_invoice',
- 'activity_104':
- ':user restaurou uma nota de pagamento recorrente :recurring_invoice',
+ 'activity_100': ':user criou a Fatura Recorrente :recurring_invoice',
+ 'activity_101': ':user atualizou a Fatura Recorrente :recurring_invoice',
+ 'activity_102': ':user arquivou a Fatura Recorrente :recurring_invoice',
+ 'activity_103': ':user eliminou a Fatura Recorrente :recurring_invoice',
+ 'activity_104': ':user restaurou a Fatura Recorrente :recurring_invoice',
'show_task_end_date': 'Mostrar Data Final da Tarefa',
'show_task_end_date_help':
'Ativar a especificação da data final da tarefa',
@@ -82522,13 +82507,13 @@ mixin LocalizationsProvider on LocaleCodeAware {
'end_all_sessions': 'Terminar todas as sessões',
'count_session': '1 Sessão',
'count_sessions': ':count Sessões',
- 'invoice_created': 'Nota De Pagamento Criada',
+ 'invoice_created': 'Fatura Criada',
'quote_created': 'Orçamento Criado',
'credit_created': 'Crédito Criado',
'pro': 'Pro',
'enterprise': 'Empreendimento',
'last_updated': 'Última Atualização',
- 'invoice_item': 'Produtos na Nota Pag.',
+ 'invoice_item': 'Produtos na Fatura',
'quote_item': 'Produto do Orçamento',
'contact_first_name': 'Primeiro Nome do Contacto',
'contact_last_name': 'Último Nome do Contacto',
@@ -82543,8 +82528,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'move_up': 'Subir',
'move_down': 'mover para baixo',
'move_bottom': 'mover para baixo',
- 'subdomain_help':
- 'Indique o subdomínio ou mostre a nota de pag. no seu site.',
+ 'subdomain_help': 'Indique o subdomínio ou mostre a Fatura no seu site.',
'body_variable_missing':
'Erro: o e-mail personalizado deve incluir uma variável :body',
'add_body_variable_message':
@@ -82560,7 +82544,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'O proprietário da conta pode atualizar para um plano pago para habilitar as configurações avançadas avançadas',
'upgrade_to_paid_plan':
'Atualize para um plano pago para habilitar as configurações avançadas',
- 'invoice_payment_terms': 'Condições da Nota de Pag.',
+ 'invoice_payment_terms': 'Condições de Pagamento da Fatura',
'quote_valid_until': 'Orçamento Valido Até',
'no_headers': 'Sem cabeçalhos',
'add_header': 'Adicionar cabeçalho',
@@ -82615,11 +82599,11 @@ mixin LocalizationsProvider on LocaleCodeAware {
'count_minutes': ':count Minutos',
'password_timeout': 'Timeout da palavra-passe',
'shared_invoice_credit_counter':
- 'Compartilhar Fatura/Contador de Crédito',
+ 'Compartilhar contador de Fatura/Crédito',
'use_last_email': 'Usar último E-mail',
'activate_company': 'Ativar Empresa',
'activate_company_help':
- 'Ativar E-mail, notas de pagamento recorrentes e notificações',
+ 'Ativar e-mails, faturas recorrentes e notificações',
'an_error_occurred_try_again':
'Ocorreu um erro, por favor tente novamente',
'please_first_set_a_password': 'Por favor defina uma palavra-passe',
@@ -82672,11 +82656,11 @@ mixin LocalizationsProvider on LocaleCodeAware {
'this_quarter': 'Este Trimestre',
'last_quarter': 'Último Trimestre',
'to_update_run': 'Para atualizar corra',
- 'convert_to_invoice': 'Converter em Nota de Pagamento',
+ 'convert_to_invoice': 'Converter em Fatura',
'registration_url': 'URL de Registo',
'invoice_project': 'Faturar Projeto',
'invoice_task': 'Faturar Tarefa',
- 'invoice_expense': 'Nota de Pagamento da Despesa',
+ 'invoice_expense': 'Fatura da Despesa',
'search_payment_term': 'Encontrado 1 Prazo de Pagamento',
'search_payment_terms': 'Encontrados :count Prazos de Pagamento',
'save_and_preview': 'Guardar e Prever',
@@ -82749,18 +82733,17 @@ mixin LocalizationsProvider on LocaleCodeAware {
'unpaid': 'Não Pago',
'white_label': 'White Label',
'delivery_note': 'Nota de Envio',
- 'sent_invoices_are_locked':
- 'Notas de Pagamento Enviadas estão bloqueadas',
- 'paid_invoices_are_locked': 'Faturas Pagas estão bloqueadas',
+ 'sent_invoices_are_locked': 'Faturas enviadas estão bloqueadas',
+ 'paid_invoices_are_locked': 'Faturas pagas estão bloqueadas',
'source_code': 'Código-fonte',
'app_platforms': 'Plataformas da Aplicação',
- 'invoice_late': 'Nota de Pagamento Atrasada',
+ 'invoice_late': 'Faturar mais Tarde',
'quote_expired': 'Orçamento Expirado',
'partial_due': 'Vencimento Parcial',
- 'invoice_total': 'Total da Nota de Pag.',
+ 'invoice_total': 'Total da Fatura',
'quote_total': 'Total do Orçamento',
'credit_total': 'Total em Crédito',
- 'recurring_invoice_total': 'Total da Nota de Pag.',
+ 'recurring_invoice_total': 'Total da Fatura',
'actions': 'Ações',
'expense_number': 'N.º da Despesa',
'task_number': 'N.º da Tarefa',
@@ -82769,9 +82752,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'warning': 'Aviso',
'view_settings': 'Ver definições',
'company_disabled_warning': 'Aviso: esta empresa ainda não foi ativada',
- 'late_invoice': 'Nota de Pagamento Atrasada',
+ 'late_invoice': 'Fatura Atrasada',
'expired_quote': 'Orçamento Expirado',
- 'remind_invoice': 'Enviar Lembrete da Nota de Pagamento',
+ 'remind_invoice': 'Lembrete de Fatura',
'cvv': 'CVV',
'client_name': 'Nome do Cliente',
'client_phone': 'Telefone do Cliente',
@@ -82797,13 +82780,13 @@ mixin LocalizationsProvider on LocaleCodeAware {
'search_task_statuses': 'Encontados :count Estados da Tarefa',
'show_tasks_table': 'Mostrar Tabela de Tarefas',
'show_tasks_table_help':
- 'Sempre mostrar a seção de tarefas ao criar notas de pagamento',
- 'invoice_task_timelog': 'Registo das tarefas da Nota de Pagamento',
+ 'Sempre mostrar a seção de tarefas ao criar Faturas',
+ 'invoice_task_timelog': 'Registo das tarefas da Fatura',
'invoice_task_timelog_help':
- 'Adicionar detalhes de hora aos produtos na nota de pagamento',
+ 'Adicionar detalhes de hora aos produtos na Fatura',
'invoice_task_datelog': 'Registo de datas de tarefas de fatura',
'invoice_task_datelog_help':
- 'Adicionar detalhes da data na linha dos items da Nota de Pagamento',
+ 'Adicionar detalhes da data na linha dos items da Fatura',
'auto_start_tasks_help': 'Começar tarefas antes de guardar',
'configure_statuses': 'Configurar Estados',
'task_settings': 'Definições de tarefa',
@@ -82856,9 +82839,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'total_taxes': 'Impostos totais',
'line_taxes': 'Item',
'total_fields': 'Campo Total',
- 'stopped_recurring_invoice': 'Fatura recorrente interrompida com sucesso',
- 'started_recurring_invoice': 'Fatura recorrente iniciada com sucesso',
- 'resumed_recurring_invoice': 'Fatura recorrente retomada com sucesso',
+ 'stopped_recurring_invoice': 'Fatura Recorrente interrompida com sucesso',
+ 'started_recurring_invoice': 'Fatura Recorrente iniciada com sucesso',
+ 'resumed_recurring_invoice': 'Fatura Recorrente retomada com sucesso',
'gateway_refund': 'Reembolso do Terminal',
'gateway_refund_help': 'Processe o reembolso com o terminal de pagamento',
'due_date_days': 'Data de Vencimento',
@@ -82871,24 +82854,24 @@ mixin LocalizationsProvider on LocaleCodeAware {
'endless': 'Interminável',
'next_send_date': 'Próxima data de envio',
'remaining_cycles': 'Ciclos Restantes',
- 'recurring_invoice': 'Nota de Pagamento Recorrente',
- 'recurring_invoices': 'Notas Pagamento Recorrentes',
- 'new_recurring_invoice': 'Nova Nota de Pagamento Recorrente',
+ 'recurring_invoice': 'Fatura Recorrente',
+ 'recurring_invoices': 'Faturas Recorrentes',
+ 'new_recurring_invoice': 'Nova Fatura Recorrente',
'edit_recurring_invoice': 'Editar Fatura Recorrente',
- 'created_recurring_invoice': 'Fatura recorrente criada com sucesso',
- 'updated_recurring_invoice': 'Fatura recorrente atualizada com sucesso',
- 'archived_recurring_invoice': 'Nota de Pagamento Recorrente arquivada',
- 'deleted_recurring_invoice': 'Nota de Pagamento Recorrente removida',
- 'removed_recurring_invoice': 'Fatura recorrente removida com sucesso',
- 'restored_recurring_invoice': 'Nota de Pagamento Recorrente restaurada',
+ 'created_recurring_invoice': 'Fatura Recorrente criada com sucesso',
+ 'updated_recurring_invoice': 'Fatura Recorrente atualizada com sucesso',
+ 'archived_recurring_invoice': 'Fatura Recorrente arquivada com sucesso',
+ 'deleted_recurring_invoice': 'Fatura Recorrente eliminada com sucesso',
+ 'removed_recurring_invoice': 'Fatura Recorrente eliminada com sucesso',
+ 'restored_recurring_invoice': 'Fatura Recorrente restaurada com sucesso',
'archived_recurring_invoices':
- ':value Notas de pagamento recorrentes arquivadas com sucesso',
+ ':value Faturas Recorrentes arquivadas com sucesso',
'deleted_recurring_invoices':
- ':value Notas de pagamento recorrentes apagadas com sucesso',
+ ':value Faturas Recorrentes apagadas com sucesso',
'restored_recurring_invoices':
- ':value Notas de pagamento recorrentes restauradas com sucesso',
- 'search_recurring_invoice': 'Encontrado 1 Fatura recorrente',
- 'search_recurring_invoices': 'Encontrado :count Faturas recorrentes',
+ ':value Faturas Recorrentes restauradas com sucesso',
+ 'search_recurring_invoice': 'Procurar 1 Fatura Recorrente',
+ 'search_recurring_invoices': 'Procurar :count Faturas Recorrentes',
'send_date': 'Data de envio',
'auto_bill_on': 'Faturamento Automático Ativado',
'minimum_under_payment_amount': 'Valor mínimo de pagamento',
@@ -82928,8 +82911,8 @@ mixin LocalizationsProvider on LocaleCodeAware {
'reminder2_sent': 'Lembrete 2 Enviado',
'reminder3_sent': 'Lembrete 3 Enviado',
'reminder_last_sent': 'Último Lembrete Enviado',
- 'pdf_page_info': 'Página: :current de: :total',
- 'emailed_invoices': 'Notas de pag. enviadas com sucesso',
+ 'pdf_page_info': 'Página: atual de: total',
+ 'emailed_invoices': 'Faturas enviadas com sucesso',
'emailed_quotes': 'Orçamentos enviados com sucesso',
'emailed_credits': 'Créditos enviados por e-mail com sucesso',
'gateway': 'Portal',
@@ -82956,8 +82939,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'last_login_at': 'Último Início de Sessão em',
'company_key': 'Chave da Empresa',
'storefront': 'Vitrine',
- 'storefront_help':
- 'Permitir aplicações de terceiros para criar notas de pagamento',
+ 'storefront_help': 'Permitir aplicações de terceiros para criar Faturas',
'client_created': 'Cliente Criado',
'online_payment_email': 'E-mail de pagamento online',
'manual_payment_email': 'Email de pagamento manual',
@@ -82971,20 +82953,20 @@ mixin LocalizationsProvider on LocaleCodeAware {
'selected_quotes': 'Orçamentos Selecionados',
'selected_tasks': 'Tarefas Selecionadas',
'selected_expenses': 'Despesas Selecionadas',
- 'upcoming_invoices': 'Próximas Nota Pagamento',
- 'past_due_invoices': 'Notas de Pagamento Vencidas',
+ 'upcoming_invoices': 'Próximas Faturas',
+ 'past_due_invoices': 'Faturas Vencidas',
'recent_payments': 'Pagamentos Recentes',
'upcoming_quotes': 'Próximos Orçamentos',
'expired_quotes': 'Orçamentos Expirados',
'create_client': 'Criar Cliente',
- 'create_invoice': 'Criar Nota de Pagamento',
+ 'create_invoice': 'Criar Fatura',
'create_quote': 'Criar Orçamento',
'create_payment': 'Criar Pagamento',
'create_vendor': 'Criar fornecedor',
'update_quote': 'Atualizar Orçamento',
'delete_quote': 'Apagar Orçamento',
- 'update_invoice': 'Atualizar Nota de Pagamento',
- 'delete_invoice': 'Apagar Nota Pagamento',
+ 'update_invoice': 'Atualizar Fatura',
+ 'delete_invoice': 'Apagar Fatura',
'update_client': 'Atualizar Cliente',
'delete_client': 'Apagar Cliente',
'delete_payment': 'Apagar Pagamento',
@@ -83047,7 +83029,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'client_registration': 'Registo de cliente',
'client_registration_help':
'Permitir que os clientes se auto-registem no portal',
- 'email_invoice': 'Enviar Nota Pagamento',
+ 'email_invoice': 'Enviar Fatura',
'email_quote': 'Enviar Orçamento',
'email_credit': 'Crédito de E-mail',
'email_payment': 'Pagamento por E-mail',
@@ -83096,7 +83078,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'partially_refunded': 'Parcialmente Reembolsado',
'search_documents': 'Pesquisar Documentos',
'search_designs': 'Pesquisar Modelos',
- 'search_invoices': 'Pesquisar Notas de Pagamento',
+ 'search_invoices': 'Pesquisar Faturas',
'search_clients': 'Pesquisar Clientes',
'search_products': 'Pesquisar Produtos',
'search_quotes': 'Pesquisar Orçamentos',
@@ -83113,7 +83095,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'search_company': 'Pesquisar Empresa',
'search_document': 'Pesquisar 1 Documento',
'search_design': 'Pesquisar 1 Design',
- 'search_invoice': 'Pesquisar 1 Nota de Pagamento',
+ 'search_invoice': 'Pesquisar 1 Fatura',
'search_client': 'Pesquisar 1 Cliente',
'search_product': 'Pesquisar 1 Produto',
'search_quote': 'Pesquisar 1 Cotação',
@@ -83127,10 +83109,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'search_payment': 'Pesquisar 1 Pagamento',
'search_group': 'Pesquisar 1 Grupo',
'refund_payment': 'Reembolsar Pagamento',
- 'cancelled_invoice': 'Nota de Pagamento Cancelada com Sucesso',
+ 'cancelled_invoice': 'Fatura cancelada com sucesso',
'cancelled_invoices': 'Notas de Pagamento Canceladas com Sucesso',
- 'reversed_invoice': 'Nota de Pagamento Revertida com Sucesso',
- 'reversed_invoices': 'Notas de Pagamento Revertidas com Sucesso',
+ 'reversed_invoice': 'Fatura revertida com sucesso',
+ 'reversed_invoices': 'Faturas revertidas com sucesso',
'reverse': 'Reverter',
'full_name': 'Nome Completo',
'city_state_postal': 'Cidade/Distrito/C. Postal',
@@ -83154,7 +83136,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'saved_design': 'Design guardado com sucesso',
'client_details': 'Detalhes do cliente',
'company_address': 'Endereço da Empresa',
- 'invoice_details': 'Detalhes da nota de pag.',
+ 'invoice_details': 'Detalhes Fatura',
'quote_details': 'Detalhes do orçamento',
'credit_details': 'Detalhes de crédito',
'product_columns': 'Colunas de Produto',
@@ -83166,10 +83148,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'owned': 'Possuído',
'payment_success': 'Pagamento realizado',
'payment_failure': 'Falha no Pagamento',
- 'invoice_sent': ':count nota de pag. enviada',
+ 'invoice_sent': ':count Fatura enviada',
'quote_sent': 'Orçamento Enviado',
'credit_sent': 'Crédito Enviado',
- 'invoice_viewed': 'Nota de Pagamento Vista',
+ 'invoice_viewed': 'Fatura Vista',
'quote_viewed': 'Orçamento Visto',
'credit_viewed': 'Crédito Visto',
'quote_approved': 'Orçamento Aprovado',
@@ -83268,10 +83250,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'vendor2': 'Fornecedor Personalizado 2',
'vendor3': 'Fornecedor Personalizado 3',
'vendor4': 'Fornecedor Personalizado 4',
- 'invoice1': 'Nota de Pagamento Personalizada 1',
- 'invoice2': 'Nota de Pagamento Personalizada 2',
- 'invoice3': 'Nota de Pagamento Personalizada 3',
- 'invoice4': 'Nota de Pagamento Personalizada 4',
+ 'invoice1': 'Fatura Personalizada 1',
+ 'invoice2': 'Fatura Personalizada 2',
+ 'invoice3': 'Fatura Personalizada 3',
+ 'invoice4': 'Fatura Personalizada 4',
'payment1': 'Pagamento Personalizado 1',
'payment2': 'Pagamento Personalizado 2',
'payment3': 'Pagamento Personalizado 3',
@@ -83330,8 +83312,8 @@ mixin LocalizationsProvider on LocaleCodeAware {
'reports': 'Relatórios',
'report': 'Relatório',
'add_company': 'Adicionar Empresa',
- 'unpaid_invoice': 'Nota de Pagamento Não Paga',
- 'paid_invoice': 'Nota de Pagamento Paga',
+ 'unpaid_invoice': 'Fatura Não Paga',
+ 'paid_invoice': 'Fatura Paga',
'unapproved_quote': 'Orçamento não Aprovado',
'help': 'Ajuda',
'refund': 'Reembolsar',
@@ -83399,7 +83381,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'show_product_quantity': 'Mostrar Quantidade do Produto',
'show_product_quantity_help':
'Mostrar um campo de quantidade de produto, caso contrário o padrão de um',
- 'show_invoice_quantity': 'Mostrar quantidade da fatura',
+ 'show_invoice_quantity': 'Mostrar Quantidade da Fatura',
'show_invoice_quantity_help':
'Exibir um campo de quantidade de item de linha, caso contrário, o padrão é um',
'show_product_discount': 'Mostrar Desconto do Produto',
@@ -83443,7 +83425,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'after_due_date': 'Depois da data de vencimento',
'after_invoice_date': 'Depois da data da fatura',
'days': 'Dias',
- 'invoice_email': 'E-mail para Nota de Pagamento',
+ 'invoice_email': 'E-mail para Fatura',
'payment_email': 'E-mail para Pagamentos',
'partial_payment': 'Pagamento parcial',
'payment_partial': 'Pagamento Parcial',
@@ -83469,13 +83451,12 @@ mixin LocalizationsProvider on LocaleCodeAware {
'removed_users': ':value Utilizadores removidos com sucesso',
'restored_users': ':value Utilizadores restaurados com sucesso',
'general_settings': 'Definições Gerais',
- 'invoice_options': 'Opções da Nota de Pagamento',
+ 'invoice_options': 'Opções da Fatura',
'hide_paid_to_date': 'Ocultar Data de Pagamento',
'hide_paid_to_date_help':
'Mostrar apenas a \'Data de Pagamento\' quanto o pagamento for efetuado.',
'invoice_embed_documents': 'Documentos Incorporados',
- 'invoice_embed_documents_help':
- 'Incluir imagens anexadas na nota de pagamento.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Mostrar cabeçalho ativo',
'all_pages_footer': 'Mostrar rodapé ativo',
'first_page': 'Primeira página',
@@ -83488,21 +83469,21 @@ mixin LocalizationsProvider on LocaleCodeAware {
'page_size': 'Tamanho da Página',
'font_size': 'Tamanho do Texto',
'quote_design': 'Modelo do Orçamento',
- 'invoice_fields': 'Campos da Nota de Pagamento',
+ 'invoice_fields': 'Campos da Fatura',
'product_fields': 'Campos do Produto',
- 'invoice_terms': 'Condições da Nota de Pagamento',
- 'invoice_footer': 'Rodapé da Nota de Pagamento',
+ 'invoice_terms': 'Condições da Fatura',
+ 'invoice_footer': 'Rodapé da Fatura',
'quote_terms': 'Condições do Orçamento',
'quote_footer': 'Rodapé do Orçamento',
'auto_email_invoice': 'Email Automático',
'auto_email_invoice_help':
- 'Faturas recorrentes por e-mail automaticamente quando criadas.',
+ 'Enviar Faturas Recorrentes por e-mail automaticamente quando criadas.',
'auto_archive_quote': 'Arquivar Automaticamente',
'auto_archive_quote_help':
- 'Arquive cotações automaticamente quando convertidas em fatura.',
+ 'Arquive orçamentos automaticamente quando convertidos em fatura.',
'auto_convert_quote': 'Auto Conversão',
'auto_convert_quote_help':
- 'Converta automaticamente uma cotação em uma fatura quando aprovada.',
+ 'Converta automaticamente um Orçamento em uma Fatura quando aprovada.',
'workflow_settings': 'Configurações de Fluxo de Trabalho',
'freq_daily': 'Diário',
'freq_weekly': 'Semanal',
@@ -83529,7 +83510,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'company_field': 'Campo da Empresa',
'company_value': 'Valor da Empresa',
'credit_field': 'Campo de Crédito',
- 'invoice_field': 'Campo da Nota de Pagamento',
+ 'invoice_field': 'Campo da Fatura',
'invoice_surcharge': 'Taxa Extra da Fatura',
'client_field': 'Campo do Cliente',
'product_field': 'Campo do Produto',
@@ -83548,21 +83529,20 @@ mixin LocalizationsProvider on LocaleCodeAware {
'custom_javascript': 'JavaScript Personalizado',
'signature_on_pdf': 'Mostrar no PDF',
'signature_on_pdf_help':
- 'Mostrar a assinatura do cliente no PDF da nota de pagamento/orçamento.',
- 'show_accept_invoice_terms':
- 'Caixa de seleção para Termos da Nota de Pagamento',
+ 'Mostrar a assinatura do cliente no PDF da fatura/orçamento.',
+ 'show_accept_invoice_terms': 'Caixa de seleção para Termos da Fatura',
'show_accept_invoice_terms_help':
- 'Requer que o cliente confirme que aceita os termos da nota de pagamento.',
+ 'Requer que o cliente confirme que aceita os termos da fatura.',
'show_accept_quote_terms': 'Caixa de seleção para Termos do Orçamento',
'show_accept_quote_terms_help':
'Requer que o cliente confirme que aceita os termos do orçamento.',
- 'require_invoice_signature': 'Assinatura da Nota de Pagamento',
+ 'require_invoice_signature': 'Assinatura da Fatura',
'require_invoice_signature_help':
'Requer que o cliente introduza a sua assinatura.',
'require_quote_signature': 'Assinatura de Orçamento',
- 'enable_portal_password': 'Proteger notas de pag. com senha',
+ 'enable_portal_password': 'Proteger Faturas com senha',
'enable_portal_password_help':
- 'Permite definir uma senha para cada contacto. Se uma senha for defenida, o contacto deverá introduzir a senha antes de visualizar a nota de pagamento.',
+ 'Permite definir uma senha para cada contacto. Se uma senha for definida, o contacto deverá introduzir a senha antes de visualizar a Fatura.',
'authorization': 'Autorização',
'subdomain': 'Subdomínio',
'domain': 'Domínio',
@@ -83574,9 +83554,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Claro',
'dark': 'Escuro',
'email_design': 'Modelo de E-mail',
- 'attach_pdf': 'Anexar PDF',
- 'attach_documents': 'Anexar Documentos',
- 'attach_ubl': 'Attach UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Estilo de e-mails',
'enable_email_markup': 'Ativar Marcação',
'reply_to_email': 'Email de resposta',
@@ -83617,7 +83597,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'Ao selecionar um produto a descrição e preço serão preenchidos automaticamente',
'update_products': 'Atualização automática dos produtos',
'update_products_help':
- 'Ao atualizar uma nota de pagamento o produto também será atualizado',
+ 'Ao atualizar uma Fatura o produto também será atualizado',
'convert_products': 'Converter Produtos',
'convert_products_help':
'Converter automaticamente preços de produtos para a moeda do cliente',
@@ -83705,7 +83685,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'notifications': 'Notificações',
'import_export': 'Importar/Exportar',
'custom_fields': 'Campos Personalizados',
- 'invoice_design': 'Modelo das Notas de Pagamento',
+ 'invoice_design': 'Modelo das Faturas',
'buy_now_buttons': 'Comprar Botões Agora',
'email_settings': 'Definições de E-mail',
'templates_and_reminders': 'Modelos & Avisos',
@@ -83762,7 +83742,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'expense_status_2': 'Pendente',
'expense_status_3': 'Faturado',
'converted': 'Convertido',
- 'add_documents_to_invoice': 'Adicionar documentos à nota de pagamento',
+ 'add_documents_to_invoice': 'Adicionar Documentos à Fatura',
'exchange_rate': 'Taxa de Câmbio',
'convert_currency': 'Converter moeda',
'mark_paid': 'Marcar como Pago',
@@ -83867,15 +83847,15 @@ mixin LocalizationsProvider on LocaleCodeAware {
'last_year': 'Último Ano',
'all_time': 'Tempo todo',
'custom': 'Personalizado',
- 'clone_to_invoice': 'Duplicar para Nota de Pagamento',
+ 'clone_to_invoice': 'Duplicar para Fatura',
'clone_to_quote': 'Duplicar para Orçamento',
'clone_to_credit': 'Duplicar para crédito',
- 'view_invoice': 'Visualizar Nota de Pagamento',
+ 'view_invoice': 'Visualizar Fatura',
'convert': 'Converter',
'more': 'Mais',
'edit_client': 'Editar Cliente',
'edit_product': 'Editar Produto',
- 'edit_invoice': 'Editar Nota de Pagamento',
+ 'edit_invoice': 'Editar Fatura',
'edit_quote': 'Editar Orçamento',
'edit_payment': 'Editar Pagamento',
'edit_task': 'Editar Tarefa',
@@ -83886,9 +83866,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'billing_address': 'Morada de Faturação',
'shipping_address': 'Endereço de Envio',
'total_revenue': 'Receita Total',
- 'average_invoice': 'Média por Nota Pagamento',
+ 'average_invoice': 'Média por Fatura',
'outstanding': 'Em Aberto',
- 'invoices_sent': ':count notas de pag. enviadas',
+ 'invoices_sent': ':count Faturas enviadas',
'active_clients': 'Clientes ativos',
'close': 'Fechar',
'email': 'E-mail',
@@ -83971,22 +83951,22 @@ mixin LocalizationsProvider on LocaleCodeAware {
'state': 'Distrito/Região',
'postal_code': 'Código Postal',
'country': 'País',
- 'invoice': 'Nota Pagamento',
- 'invoices': 'Notas Pagamento',
+ 'invoice': 'Fatura',
+ 'invoices': 'Faturas',
'new_invoice': 'Nova Nota Pagamento',
- 'created_invoice': 'Nota de pagamento criada com sucesso',
- 'updated_invoice': 'Nota de pagamento atualizada com sucesso',
- 'archived_invoice': 'Nota de pagamento arquivada com sucesso',
- 'deleted_invoice': 'Notas de Pagamento apagadas com sucesso',
- 'restored_invoice': 'Nota de pagamento restaurada',
- 'archived_invoices': ':count notas de pagamento arquivadas com sucesso',
- 'deleted_invoices': ':count notas de pagamento apagadas com sucesso',
- 'restored_invoices': ':value Notas de Pagamento restaurados com sucesso',
- 'emailed_invoice': 'Nota de pagamento enviada por e-mail com sucesso',
+ 'created_invoice': 'Fatura criada com sucesso',
+ 'updated_invoice': 'Fatura atualizada com sucesso',
+ 'archived_invoice': 'Fatura arquivada com sucesso',
+ 'deleted_invoice': 'Faturas apagadas com sucesso',
+ 'restored_invoice': 'Fatura restaurada',
+ 'archived_invoices': ':count Faturas arquivadas com sucesso',
+ 'deleted_invoices': ':count Faturas apagadas com sucesso',
+ 'restored_invoices': ':value Faturas restauradas com sucesso',
+ 'emailed_invoice': 'Fatura enviada por e-mail com sucesso',
'emailed_payment': 'Pagamento enviado por e-mail com sucesso',
'amount': 'Total',
- 'invoice_number': 'Número da Nota Pagamento',
- 'invoice_date': 'Data da Nota Pagamento',
+ 'invoice_number': 'Número da Fatura',
+ 'invoice_date': 'Data da Fatura',
'discount': 'Desconto',
'po_number': 'Núm. Ordem de Serviço',
'terms': 'Condições',
@@ -84012,7 +83992,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'partial_due_date': 'Data de Vencimento Parcial',
'paid_date': 'Data de pagamento',
'status': 'Estado',
- 'invoice_status_id': 'Estado da Nota de Pagamento',
+ 'invoice_status_id': 'Estado da Fatura',
'quote_status': 'Estado do Orçamento',
'click_plus_to_add_item': 'Clique + para adicionar um produto',
'click_plus_to_add_time': 'Clique + para adicionar tempo',
@@ -84023,7 +84003,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'dismiss': 'Dispensar',
'please_select_a_date': 'Por favor selecione uma data',
'please_select_a_client': 'Por favor selecione um cliente',
- 'please_select_an_invoice': 'Por favor escolha uma nota de pagamento',
+ 'please_select_an_invoice': 'Por favor escolha uma Fatura',
'task_rate': 'Taxa de Tarefas',
'settings': 'Definições',
'language': 'Idioma',
@@ -84032,8 +84012,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'created_on': 'Criado em',
'updated_at': 'Atualizado',
'tax': 'Imposto',
- 'please_enter_an_invoice_number':
- 'Por favor digite um número de nota de pagamento',
+ 'please_enter_an_invoice_number': 'Por favor digite um número de Fatura',
'please_enter_a_quote_number': 'Por favor digite um número de orçamento',
'past_due': 'Vencido',
'draft': 'Rascunho',
@@ -84043,10 +84022,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'partial': 'Depósito/Parcial',
'paid': 'Pago',
'mark_sent': 'Marcar Como Enviada',
- 'marked_invoice_as_sent': 'A nota de pagamento foi marcada como enviada.',
+ 'marked_invoice_as_sent': 'A Fatura foi marcada como enviada.',
'marked_invoice_as_paid': 'Fatura marcada como paga com sucesso',
'marked_invoices_as_sent':
- 'Excelente! As notas de pagamento foram marcadas como enviada.',
+ 'Excelente! As Faturas foram marcadas como enviadas com sucesso',
'marked_invoices_as_paid': 'Faturas marcadas como pagas com sucesso',
'done': 'Concluído',
'please_enter_a_client_or_contact_name':
@@ -84135,15 +84114,14 @@ mixin LocalizationsProvider on LocaleCodeAware {
'activity_1': ':user criou o cliente :client',
'activity_2': ':user arquivou o cliente :client',
'activity_3': ':user removeu o cliente :client',
- 'activity_4': ':user criou a nota de pagamento :invoice',
- 'activity_5': ':user atualizou a nota de pagamento :invoice',
- 'activity_6':
- ':user enviou nota de pagamento :invoice para :client, :contact',
- 'activity_7': ':contact viu a nota de pagamento :invoice para :client',
- 'activity_8': ':user arquivou a nota de pagamento :invoice',
- 'activity_9': ':user removeu a nota de pagamento :invoice',
+ 'activity_4': ':user criou a Fatura :invoice',
+ 'activity_5': ':user atualizou a Fatura :invoice',
+ 'activity_6': ':user enviou a Fatura :invoice para :client, :contact',
+ 'activity_7': ':contact viu a Fatura :invoice para :client',
+ 'activity_8': ':user arquivou a Fatura :invoice',
+ 'activity_9': ':user eliminou a Fatura :invoice',
'activity_10':
- ':user inseriu o pagamento :payment para :payment _valor na fatura :invoice para :client',
+ ':user inseriu o pagamento :payment para :payment _valor na Fatura :invoice para :client',
'activity_11': ':user atualizou o pagamento :payment',
'activity_12': ':user arquivou o pagamento :payment',
'activity_13': ':user removeu o pagamento :payment',
@@ -84159,7 +84137,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'activity_22': ':user arquivou o orçamento :quote',
'activity_23': ':user removeu o orçamento :quote',
'activity_24': ':user restaurou o orçamento :quote',
- 'activity_25': ':user restaurou a nota de pagamento :invoice',
+ 'activity_25': ':user restaurou a Fatura :invoice',
'activity_26': ':user restaurou o cliente :client',
'activity_27': ':user restaurou o pagamento :payment',
'activity_28': ':user restaurou a nota de crédito :credit',
@@ -84189,23 +84167,23 @@ mixin LocalizationsProvider on LocaleCodeAware {
'activity_51': ':user apagou o utilizador :user',
'activity_52': ':user restaurou o utilizador :user',
'activity_53': ':user marcou como enviado :invoice',
- 'activity_54': ':user fatura paga :invoice',
+ 'activity_54': ':user pagou a Fatura :invoice',
'activity_55': ':contact respondeu ao bilhete :ticket',
'activity_56': ':user visualizou o bilhete :ticket',
- 'activity_57': 'O sistema falhou ao enviar a nota de pagamento :invoice',
- 'activity_58': ':invoice revertida pelo utilizador: user',
- 'activity_59': ':invoice cancelada pelo utilizador :user',
+ 'activity_57': 'O sistema falhou ao enviar a Fatura :invoice',
+ 'activity_58': ':user reverteu a Fatura:invoice',
+ 'activity_59': ':user cancelou a Fatura :invoice',
'activity_60': ':contact viu o orçamento :quota',
'activity_61': ':user atualizou o cliente :client',
'activity_62': ':user atualizou fornecedor :vendor',
'activity_63':
- ':user primeiro lembrete por e-mail para fatura :invoice para :contact',
+ ':user enviou o primeiro lembrete da fatura :invoice para :contact',
'activity_64':
- ':user segundo lembrete enviado por e-mail para fatura :invoice para :contact',
+ ':user enviou o segundo lembrete da fatura :invoice para :contact',
'activity_65':
- ':user terceiro lembrete enviado por e-mail para fatura :invoice para :contact',
+ ':user enviou o terceiro lembrete da fatura :invoice para :contact',
'activity_66':
- ':user lembrete interminável por e-mail para fatura :invoice para :contact',
+ ':user enviou lembrete final da fatura :invoice para :contact',
'activity_80': ':user criou a subscrição :subscription',
'activity_81': ':user atualizou a subscrição :subscription',
'activity_82': ':user arquivou a subscrição :subscription',
@@ -84227,12 +84205,11 @@ mixin LocalizationsProvider on LocaleCodeAware {
'email_style_custom': 'Estilo de E-mail Personalizado',
'custom_message_dashboard': 'Mensagem de Painel Personalizada',
'custom_message_unpaid_invoice':
- 'Mensagem Personalizada de Nota de Pagamento Atrasada',
- 'custom_message_paid_invoice':
- 'Mensagem Personalizada de Nota de Pagamento Paga',
+ 'Mensagem Personalizada de Fatura Por Pagar',
+ 'custom_message_paid_invoice': 'Mensagem Personalizada de Fatura Paga',
'custom_message_unapproved_quote':
'Mensagem Personalizada de Orçamento Não Aprovado',
- 'lock_invoices': 'Bloquear Notas de Pagamento',
+ 'lock_invoices': 'Bloquear Faturas',
'translations': 'Traduções',
'task_number_pattern': 'Padrão de Numeração de Tarefa',
'task_number_counter': 'Contador Numérico de Tarefas',
@@ -84245,7 +84222,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'payment_number_pattern': 'Padrão de Numeração de Pagamento',
'payment_number_counter': 'Contador Numérico de Pagamentos',
'invoice_number_pattern': 'Padrão de Numeração de Fatura',
- 'invoice_number_counter': 'Numeração das',
+ 'invoice_number_counter': 'Numeração das Faturas',
'quote_number_pattern': 'Padrão de Numeração de Orçamento',
'quote_number_counter': 'Numeração dos Orçamentos',
'client_number_pattern': 'Padrão de Numeração de Crédito',
@@ -84254,8 +84231,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'credit_number_counter': 'Contador Numérico de Créditos',
'reset_counter_date': 'Reiniciar Data do Contador',
'counter_padding': 'Padrão do Contador',
- 'shared_invoice_quote_counter':
- 'Compartilhar fatura/contador de cotações',
+ 'shared_invoice_quote_counter': 'Compartilhar contador Fatura/Orçamentos',
'default_tax_name_1': 'Nome fiscal padrão 1',
'default_tax_rate_1': 'Taxa de imposto padrão 1',
'default_tax_name_2': 'Nome fiscal padrão 2',
@@ -84280,7 +84256,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'client_shipping_address1': 'Endereço de entrega',
'client_shipping_address2': 'Andar / Fração do Cliente',
'type': 'Tipo',
- 'invoice_amount': 'Total da Nota de Pagamento',
+ 'invoice_amount': 'Total da Fatura',
'invoice_due_date': 'Data de Vencimento',
'tax_rate1': 'Taxa de imposto 1',
'tax_rate2': 'Taxa de imposto 2',
@@ -84311,7 +84287,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bank_id': 'Banco',
'expense_category_id': 'ID da Categoria de Despesa',
'expense_category': 'Categoria de Despesas',
- 'invoice_currency_id': 'ID da Moeda da Nota de Pagamento',
+ 'invoice_currency_id': 'ID da Moeda da Fatura',
'tax_name1': 'Imposto 1',
'tax_name2': 'Imposto 2',
'tax_name3': 'Imposto 3',
@@ -84322,12 +84298,11 @@ mixin LocalizationsProvider on LocaleCodeAware {
'ro': {
'payment_failed': 'Plata a eșuat',
'activity_141': 'Utilizatorul :user a introdus notă: :note',
- 'activity_142': 'Citat :number memento 1 trimis',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Factura automată a reușit pentru factura :invoice',
'activity_144':
'Facturarea automată a eșuat pentru factura :invoice . :notite',
- 'activity_145':
- 'EFactura :invoice pentru :client a fost livrată electronic. :notite',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'Suprascrierea gazdei SSL',
'upload_logo_short': 'Încărcați sigla',
'show_pdfhtml_on_mobile_help':
@@ -86279,7 +86254,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Afișează \'Plătit pana la\' decât când plata a fost efectuată.',
'invoice_embed_documents': 'Încorporați documentele',
- 'invoice_embed_documents_help': 'Includeți o imagine atașată facturii.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Afișați antetul',
'all_pages_footer': 'Afișați subsolul',
'first_page': 'Prima pagină',
@@ -86377,9 +86352,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Deschisa',
'dark': 'Intunecata',
'email_design': 'Design Email',
- 'attach_pdf': 'Atașați un PDF',
- 'attach_documents': 'Atașați documente',
- 'attach_ubl': 'Atașați Factura UBL/E',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Stil email',
'enable_email_markup': 'Activați marcajul',
'reply_to_email': 'Adresă email de răspuns',
@@ -87127,1906 +87102,1931 @@ mixin LocalizationsProvider on LocaleCodeAware {
'load_color_theme': 'Schemă de culori încărcare',
},
'ru_RU': {
- 'payment_failed': 'Payment Failed',
- 'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
- 'activity_143': 'Auto Bill succeeded for invoice :invoice',
- 'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
- 'ssl_host_override': 'SSL Host Override',
- 'upload_logo_short': 'Upload Logo',
+ 'payment_failed': 'Платеж не прошёл',
+ 'activity_141': 'Пользователь :user ввел Примечание : :notes',
+ 'activity_142': 'Quote :quote reminder 1 sent',
+ 'activity_143': 'Авто Билл успешно прошел для Счет :invoice',
+ 'activity_144':
+ 'Не удалось выполнить автоматический счет для Счет :invoice . :примечания',
+ 'activity_145': 'E- Счет :invoice для :client был отправлен. :notes',
+ 'ssl_host_override': 'Переопределение хоста SSL',
+ 'upload_logo_short': 'Загрузить логотип',
'show_pdfhtml_on_mobile_help':
- 'For improved visualization, displays a HTML version of the invoice/quote when viewing on mobile.',
- 'accept_purchase_order': 'Accept Purchase Order',
- 'one_page_checkout': 'One-Page Checkout',
- 'one_page_checkout_help': 'Enable the new single page payment flow',
- 'applies_to': 'Applies To',
- 'purchase_order_items': 'Purchase Order Items',
- 'assigned_group': 'Successfully assigned group',
- 'assign_group': 'Assign group',
- 'merge_to_pdf': 'Merge to PDF',
- 'emails': 'Emails',
+ 'Для улучшения визуализации отображает HTML-версию Счет /цитаты при просмотре на мобильном устройстве.',
+ 'accept_purchase_order': 'Принять заказ на покупку',
+ 'one_page_checkout': 'Оформление заказа на одной странице',
+ 'one_page_checkout_help': 'Включить нового поток одностраничных Платеж',
+ 'applies_to': 'Применяется к',
+ 'purchase_order_items': 'Элементы заказа на покупку',
+ 'assigned_group': 'Успешно назначенная группа',
+ 'assign_group': 'Назначить группу',
+ 'merge_to_pdf': 'Объединить к PDF',
+ 'emails': 'Электронные письма',
'latest_requires_php_version':
- 'Note: the latest version requires PHP :version',
- 'quote_reminder1': 'First Quote Reminder',
- 'before_valid_until': 'Before the valid until',
- 'after_valid_until': 'After the valid until',
- 'after_quote_date': 'After the quote date',
- 'remind_quote': 'Remind Quote',
- 'task_assigned_notification': 'Task Assigned Notification',
+ 'Примечание : последняя версия требует PHP :version',
+ 'quote_reminder1': 'Напоминание о первой цитате',
+ 'before_valid_until': 'До действительного до',
+ 'after_valid_until': 'После действительного до',
+ 'after_quote_date': 'После даты котировки',
+ 'remind_quote': 'Напомнить цитату',
+ 'task_assigned_notification': 'Уведомление о назначенной Задача',
'task_assigned_notification_help':
- 'Send an email when a task is assigned',
- 'invoices_locked_end_of_month':
- 'Invoices are locked at the end of the month',
- 'end_of_month': 'End Of Month',
- 'referral_url': 'Referral URL',
+ 'Отправлять E-mail когда Задача назначена',
+ 'invoices_locked_end_of_month': 'Счета закрываются в конце месяца',
+ 'end_of_month': 'Конец месяца',
+ 'referral_url': 'URL-адрес реферала',
'referral_program': 'Реферальная программа',
'comment': 'Комментарии',
- 'add_comment': 'Add Comment',
- 'added_comment': 'Successfully saved comment',
- 'disconnected': 'Disconnected',
- 'reconnect': 'Reconnect',
- 'e_invoice_settings': 'E-Invoice Settings',
- 'calculate': 'Calculate',
- 'sum': 'Sum',
- 'money': 'Money',
+ 'add_comment': 'Добавить комментарий',
+ 'added_comment': 'Успешно сохраненный комментарий',
+ 'disconnected': 'Отключен',
+ 'reconnect': 'Повторное подключение',
+ 'e_invoice_settings': 'E- Счет Настройки',
+ 'calculate': 'Рассчитать',
+ 'sum': 'Сумма',
+ 'money': 'Деньги',
'time': 'Время',
- 'format': 'Format',
- 'web_app': 'Web App',
- 'desktop_app': 'Desktop App',
- 'invoice_net_amount': 'Invoice Net Amount',
- 'round_to_seconds': 'Round To Seconds',
- '1_minute': '1 Minute',
- '5_minutes': '5 Minutes',
- '15_minutes': '15 Minutes',
- '30_minutes': '30 Minutes',
- '1_hour': '1 Hour',
- '1_day': '1 Day',
- 'round_tasks': 'Task Rounding Direction',
- 'round_tasks_help': 'Round task times up or down.',
- 'direction': 'Direction',
- 'round_up': 'Round Up',
- 'round_down': 'Round Down',
- 'task_round_to_nearest': 'Round To Nearest',
- 'activity_139': 'Expense :expense notification sent to :contact',
- 'activity_140': 'Statement sent to :client',
- 'bulk_updated': 'Successfully updated data',
- 'bulk_update': 'Bulk Update',
- 'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Always show required fields form',
+ 'format': 'Формат',
+ 'web_app': 'Веб-приложение',
+ 'desktop_app': 'Приложение для ПК',
+ 'invoice_net_amount': 'Счет Чистая Сумма',
+ 'round_to_seconds': 'Раунд к Секундам',
+ '1_minute': '1 минута',
+ '5_minutes': '5 минут',
+ '15_minutes': '15 минут',
+ '30_minutes': '30 минут',
+ '1_hour': '1 час',
+ '1_day': '1 день',
+ 'round_tasks': 'Задача Направление округления',
+ 'round_tasks_help': 'Округлите Задача в большую или меньшую сторону.',
+ 'direction': 'Направление',
+ 'round_up': 'Округлять',
+ 'round_down': 'Округлить вниз',
+ 'task_round_to_nearest': 'Раунд к Ближайший',
+ 'activity_139': 'расходы :expense уведомление отправлено к :contact',
+ 'activity_140': 'Заявление отправлено к :client',
+ 'bulk_updated': 'Успешно обновленные данные',
+ 'bulk_update': 'Массовое обновление',
+ 'advanced_cards': 'Расширенные карты',
+ 'always_show_required_fields':
+ 'Всегда показывать обязательные поля формы',
'always_show_required_fields_help':
- 'Displays the required fields form always at checkout',
+ 'Всегда отображает обязательные поля формы при оформлении заказа',
'flutter_web_warning':
- 'We recommend using the new web app or the desktop app for the best performance',
- 'rappen_rounding': 'Rappen Rounding',
- 'rappen_rounding_help': 'Round amount to 5 cents',
- 'check_credentials': 'Check Credentials',
- 'valid_credentials': 'Credentials are valid',
+ 'Мы рекомендуем использовать нового веб-приложение или настольное приложение для лучшей производительности.',
+ 'rappen_rounding': 'Раппен Округление',
+ 'rappen_rounding_help': 'Круглая Сумма к 5 центам',
+ 'check_credentials': 'Проверить учетные данные',
+ 'valid_credentials': 'Учетные данные действительны',
'invalid_credentials': 'Учетные данные не найдены',
- 'e_quote': 'E-Quote',
- 'e_credit': 'E-Credit',
- 'e_purchase_order': 'E-Purchase Order',
- 'valid_vat_number': 'Valid VAT Number',
- 'use_available_payments': 'Use Available Payments',
- 'test_email_sent': 'Successfully sent email',
- 'send_test_email': 'Send Test Email',
- 'gateway_type': 'Gateway Type',
+ 'e_quote': 'Электронная цитата',
+ 'e_credit': 'Электронный кредит',
+ 'e_purchase_order': 'Электронный заказ на покупку',
+ 'valid_vat_number': 'Действительный номер плательщика НДС',
+ 'use_available_payments': 'Используйте Доступные Платежи',
+ 'test_email_sent': 'Успешно отправлено E-mail',
+ 'send_test_email': 'Отправить тестовое E-mail',
+ 'gateway_type': 'Тип Шлюз',
'please_select_an_invoice_or_credit':
- 'Please select an invoice or credit',
- 'mobile_version': 'Mobile Version',
- 'venmo': 'Venmo',
- 'mercado_pago': 'Mercado Pago',
- 'my_bank': 'MyBank',
- 'pay_later': 'Pay Later',
- 'email_report': 'Email Report',
+ 'Пожалуйста, выберите Счет или кредит',
+ 'mobile_version': 'Мобильная версия',
+ 'venmo': 'Венмо',
+ 'mercado_pago': 'Меркадо Паго',
+ 'my_bank': 'МойБанк',
+ 'pay_later': 'Платить позже',
+ 'email_report': 'Отчет E-mail',
'host': 'Хост',
'port': 'Порт',
'encryption': 'Шифрование',
- 'local_domain': 'Local Domain',
- 'verify_peer': 'Verify Peer',
- 'username': 'Username',
+ 'local_domain': 'Локальный домен',
+ 'verify_peer': 'Проверить партнера',
+ 'username': 'Имя пользователя',
'nordigen_help':
- 'Note: connecting an account requires a GoCardless/Nordigen API key',
- 'participant_name': 'Participant name',
- 'yodlee_regions': 'Regions: USA, UK, Australia & India',
- 'nordigen_regions': 'Regions: Europe & UK',
- 'select_provider': 'Select Provider',
- 'payment_type_credit': 'Payment Type Credit',
- 'payment_type_debit': 'Payment Type Debit',
- 'send_emails_to': 'Send Emails To',
- 'primary_contact': 'Primary Contact',
- 'all_contacts': 'All Contacts',
- 'insert_below': 'Insert Below',
- 'ar_detailed': 'Accounts Receivable Detailed',
- 'ar_summary': 'Accounts Receivable Summary',
- 'client_sales': 'Client Sales',
- 'tax_summary': 'Tax Summary',
- 'user_sales': 'User Sales',
- 'run_template': 'Run Template',
- 'task_extension_banner': 'Add the Chrome extension to manage your tasks',
- 'watch_video': 'Watch Video',
- 'view_extension': 'View Extension',
- 'reactivate_email': 'Reactivate Email',
- 'email_reactivated': 'Successfully reactivated email',
- 'template_help': 'Enable using the design as a template',
- 'delivery_note_design': 'Delivery Note Design',
- 'statement_design': 'Statement Design',
- 'payment_receipt_design': 'Payment Receipt Design',
- 'payment_refund_design': 'Payment Refund Design',
- 'quarter': 'Quarter',
- 'item_description': 'Item Description',
- 'task_item': 'Task Item',
- 'record_state': 'Record State',
+ 'Примечание : для подключения учетной записи требуется ключ API GoCardless/Nordigen.',
+ 'participant_name': 'Имя участника',
+ 'yodlee_regions': 'Регионы: США, Великобритания, Австралия и Индия',
+ 'nordigen_regions': 'Регионы: Европа и Великобритания',
+ 'select_provider': 'Выбрать провайдера',
+ 'payment_type_credit': 'Тип Платеж Кредит',
+ 'payment_type_debit': 'Тип Платеж Debit',
+ 'send_emails_to': 'Отправить электронные письма к',
+ 'primary_contact': 'Основной контакт',
+ 'all_contacts': 'Все контакты',
+ 'insert_below': 'Вставить ниже',
+ 'ar_detailed': 'Подробная информация о дебиторской задолженности',
+ 'ar_summary': 'Резюме дебиторской задолженности',
+ 'client_sales': 'Клиент Продажи',
+ 'tax_summary': 'Налоговая сводка',
+ 'user_sales': 'Пользователь Продажи',
+ 'run_template': 'Запустить шаблон',
+ 'task_extension_banner':
+ 'Добавить расширение Chrome к управления задачами.',
+ 'watch_video': 'Смотреть видео',
+ 'view_extension': 'Смотреть Расширение',
+ 'reactivate_email': 'Повторно активировать E-mail',
+ 'email_reactivated': 'Успешно повторно активирована E-mail',
+ 'template_help': 'Разрешить использование дизайна в качестве шаблона',
+ 'delivery_note_design': 'Доставка Примечание Дизайн',
+ 'statement_design': 'Дизайн заявления',
+ 'payment_receipt_design': 'Платеж Receipt Design',
+ 'payment_refund_design': 'Платеж Возврат Дизайн',
+ 'quarter': 'Четверть',
+ 'item_description': 'Описание товара',
+ 'task_item': 'Задача Item',
+ 'record_state': 'Состояние записи',
'last_login': 'Последний вход',
- 'save_files_to_this_folder': 'Save files to this folder',
- 'downloads_folder': 'Downloads Folder',
- 'total_invoiced_quotes': 'Invoiced Quotes',
- 'total_invoice_paid_quotes': 'Invoice Paid Quotes',
- 'downloads_folder_does_not_exist':
- 'The downloads folder does not exist :value',
- 'user_logged_in_notification': 'User Logged in Notification',
+ 'save_files_to_this_folder': 'Сохранить файлы к эту папку',
+ 'downloads_folder': 'Папка загрузок',
+ 'total_invoiced_quotes': 'Расценки по выставленным счетам',
+ 'total_invoice_paid_quotes': 'Счет Оплаченные Котировки',
+ 'downloads_folder_does_not_exist': 'Папка загрузок не существует :value',
+ 'user_logged_in_notification': 'Уведомление о входе Пользователь',
'user_logged_in_notification_help':
- 'Send an email when logging in from a new location',
- 'client_contact': 'Client Contact',
- 'expense_status_4': 'Unpaid',
- 'expense_status_5': 'Paid',
+ 'Отправить E-mail при входе из нового местоположения',
+ 'client_contact': 'контакт Клиент',
+ 'expense_status_4': 'Неоплаченный',
+ 'expense_status_5': 'Оплаченный',
'recurring': 'Повторяющийся',
'ziptax_help':
- 'Note: this feature requires a Zip-Tax API key to lookup US sales tax by address',
- 'cache_data': 'Cache Data',
- 'unknown': 'Unknown',
- 'webhook_failure': 'Webhook Failure',
- 'email_opened': 'Email Opened',
- 'email_delivered': 'Email Delivered',
- 'log': 'Log',
- 'individual': 'Individual',
- 'partnership': 'Partnership',
- 'trust': 'Trust',
- 'charity': 'Charity',
- 'government': 'Government',
- 'classification': 'Classification',
- 'click_or_drop_files_here': 'Click or drop files here',
- 'public': 'Public',
- 'private': 'Private',
- 'image': 'Image',
- 'other': 'Other',
- 'hash': 'Hash',
- 'linked_to': 'Linked To',
- 'file_saved_in_path': 'The file has been saved in :path',
- 'unlinked_transactions': 'Successfully unlinked :count transactions',
- 'unlinked_transaction': 'Successfully unlinked transaction',
+ 'Примечание : для этой функции требуется ключ API Zip-Tax к поиска налога с продаж в США по адресу',
+ 'cache_data': 'Кэшировать данные',
+ 'unknown': 'Неизвестный',
+ 'webhook_failure': 'Ошибка веб-перехватчика',
+ 'email_opened': 'E-mail открыта',
+ 'email_delivered': 'E-mail доставлено',
+ 'log': 'Бревно',
+ 'individual': 'Индивидуальный',
+ 'partnership': 'Партнерство',
+ 'trust': 'Доверять',
+ 'charity': 'Благотворительность',
+ 'government': 'Правительство',
+ 'classification': 'Классификация',
+ 'click_or_drop_files_here': 'Нажмите или перетащите файлы сюда',
+ 'public': 'Публичный',
+ 'private': 'Частный',
+ 'image': 'Изображение',
+ 'other': 'Другой',
+ 'hash': 'Хэш',
+ 'linked_to': 'Связано к',
+ 'file_saved_in_path': 'Файл сохранен в :path',
+ 'unlinked_transactions': 'Успешно отвязали транзакции :count',
+ 'unlinked_transaction': 'Успешно отвязанная транзакция',
'unlink': 'Отключить',
'view_dashboard_permission':
- 'Allow user to access the dashboard, data is limited to available permissions',
- 'is_tax_exempt': 'Tax Exempt',
- 'district': 'District',
- 'region': 'Region',
- 'county': 'County',
- 'tax_details': 'Tax Details',
+ 'Разрешить Пользователь доступ к панели управления, данные ограничены к разрешениями',
+ 'is_tax_exempt': 'Освобождение от налогов',
+ 'district': 'Округ',
+ 'region': 'Область',
+ 'county': 'Графство',
+ 'tax_details': 'Налоговые детали',
'activity_10_online':
- ':contact made payment :payment for invoice :invoice for :client',
+ ':contact сделал Платеж :payment для Счет :invoice для :client',
'activity_10_manual':
- ':user entered payment :payment for invoice :invoice for :client',
- 'default_payment_type': 'Default Payment Type',
- 'admin_initiated_payments': 'Admin Initiated Payments',
+ ':user вошел в Платеж :payment для Счет :invoice для :client',
+ 'default_payment_type': 'Тип Платеж по умолчанию',
+ 'admin_initiated_payments': 'Платежи по инициативе администратора',
'admin_initiated_payments_help':
- 'Support entering a payment in the admin portal without an invoice',
+ 'Поддержка ввода Платеж в админ-портале без Счет',
'use_mobile_to_manage_plan':
- 'Use your phone subscription settings to manage your plan',
- 'show_task_billable': 'Show Task Billable',
- 'credit_item': 'Credit Item',
- 'files': 'Files',
- 'camera': 'Camera',
- 'gallery': 'Gallery',
- 'email_count_invoices': 'Email :count invoices',
- 'project_location': 'Project Location',
- 'invoice_task_item_description': 'Invoice Task Item Description',
+ 'Используйте подписку Телефон Настрой к и к управлению своим планом',
+ 'show_task_billable': 'Показать Задача Оплачиваемая',
+ 'credit_item': 'Кредитный пункт',
+ 'files': 'Файлы',
+ 'camera': 'Камера',
+ 'gallery': 'Галерея',
+ 'email_count_invoices': 'E-mail :count Счета',
+ 'project_location': 'Местоположение проекта',
+ 'invoice_task_item_description': 'Счет Задача Описание предмета',
'invoice_task_item_description_help':
- 'Add the item description to the invoice line items',
- 'next_send_time': 'Next Send Time',
- 'uploaded_certificate': 'Successfully uploaded certificate',
- 'certificate_set': 'Certificate set',
- 'certificate_not_set': 'Certificate not set',
- 'passphrase_set': 'Passphrase set',
- 'passphrase_not_set': 'Passphrase not set',
- 'upload_certificate': 'Upload Certificate',
- 'certificate_passphrase': 'Certificate Passphrase',
- 'rename': 'Rename',
- 'renamed_document': 'Successfully renamed document',
- 'e_invoice': 'E-Invoice',
- 'light_dark_mode': 'Light/Dark Mode',
- 'activities': 'Activities',
- 'routing_id': 'Routing ID',
- 'enable_e_invoice': 'Enable E-Invoice',
- 'e_invoice_type': 'E-Invoice Type',
- 'e_quote_type': 'E-Quote Type',
- 'reduced_tax': 'Reduced Tax',
- 'override_tax': 'Override Tax',
- 'zero_rated': 'Zero Rated',
- 'reverse_tax': 'Reverse Tax',
- 'updated_tax_category': 'Successfully updated the tax category',
- 'updated_tax_categories': 'Successfully updated the tax categories',
- 'set_tax_category': 'Set Tax Category',
- 'payment_manual': 'Payment Manual',
- 'tax_category': 'Tax Category',
- 'physical_goods': 'Physical Goods',
- 'digital_products': 'Digital Products',
- 'services': 'Services',
- 'shipping': 'Shipping',
- 'tax_exempt': 'Tax Exempt',
- 'reduced_rate': 'Reduced Rate',
- 'tax_all': 'Tax All',
- 'tax_selected': 'Tax Selected',
- 'version': 'version',
- 'seller_subregion': 'Seller Subregion',
- 'calculate_taxes': 'Calculate Taxes',
+ 'Добавить описание позиции к позиции Счет',
+ 'next_send_time': 'Следующее время отправки',
+ 'uploaded_certificate': 'Успешно загрузил сертификат',
+ 'certificate_set': 'Набор сертификатов',
+ 'certificate_not_set': 'Сертификат не установлен',
+ 'passphrase_set': 'Набор парольных фраз',
+ 'passphrase_not_set': 'Парольная фраза не установлена',
+ 'upload_certificate': 'Загрузить сертификат',
+ 'certificate_passphrase': 'Пароль сертификата',
+ 'rename': 'Переименовать',
+ 'renamed_document': 'Успешно переименованный документ',
+ 'e_invoice': 'E- Счет',
+ 'light_dark_mode': 'Светлый/Темный режим',
+ 'activities': 'Деятельность',
+ 'routing_id': 'Идентификатор маршрутизации',
+ 'enable_e_invoice': 'Включить E- Счет',
+ 'e_invoice_type': 'E- Тип Счет',
+ 'e_quote_type': 'Тип электронной цитаты',
+ 'reduced_tax': 'Сниженный налог',
+ 'override_tax': 'Налог на превышение',
+ 'zero_rated': 'Нулевой рейтинг',
+ 'reverse_tax': 'Обратный налог',
+ 'updated_tax_category': 'Успешно обновил налоговую категорию',
+ 'updated_tax_categories': 'Успешно обновил категории налогов',
+ 'set_tax_category': 'Установить налоговую категорию',
+ 'payment_manual': 'Платеж Manual',
+ 'tax_category': 'Налоговая категория',
+ 'physical_goods': 'Физические товары',
+ 'digital_products': 'Цифровые продукты',
+ 'services': 'Услуги',
+ 'shipping': 'Перевозки',
+ 'tax_exempt': 'Освобождение от налогов',
+ 'reduced_rate': 'Сниженная ставка',
+ 'tax_all': 'Налог Все',
+ 'tax_selected': 'Налог выбран',
+ 'version': 'версия',
+ 'seller_subregion': 'Продавец Субрегион',
+ 'calculate_taxes': 'Рассчитать налоги',
'calculate_taxes_help':
- 'Automatically calculate taxes when saving invoices',
- 'admin': 'Admin',
- 'owner': 'Owner',
- 'link_expenses': 'Link Expenses',
- 'converted_client_balance': 'Converted Client Balance',
- 'converted_payment_balance': 'Converted Payment Balance',
- 'total_hours': 'Total Hours',
- 'date_picker_hint': 'Use +days to set the date in the future',
- 'browser_pdf_viewer': 'Use Browser PDF Viewer',
+ 'Автоматически рассчитывать налоги при сохранении Счета',
+ 'admin': 'Админ',
+ 'owner': 'Владелец',
+ 'link_expenses': 'Расходы на ссылку',
+ 'converted_client_balance': 'Конвертированный баланс Клиент',
+ 'converted_payment_balance': 'Конвертированный баланс Платеж',
+ 'total_hours': 'Итого Часы',
+ 'date_picker_hint': 'Используйте +days к установить дату в будущем',
+ 'browser_pdf_viewer': 'Использовать браузерный просмотрщик PDF',
'browser_pdf_viewer_help':
- 'Warning: Prevents interacting with app over the PDF',
- 'increase_prices': 'Increase Prices',
- 'update_prices': 'Update Prices',
- 'incresed_prices': 'Successfully queued prices to be increased',
- 'updated_prices': 'Successfully queued prices to be updated',
- 'bacs': 'BACS Direct Debit',
- 'api_token': 'API Token',
- 'api_key': 'API Key',
- 'endpoint': 'Endpoint',
+ 'Предупреждение: предотвращает взаимодействие с приложением через PDF',
+ 'increase_prices': 'Увеличить цены',
+ 'update_prices': 'Обновить цены',
+ 'incresed_prices': 'Успешно поставленные в очередь цены к повышены',
+ 'updated_prices': 'Успешно поставленные в очередь цены к обновлены',
+ 'bacs': 'Прямой дебет BACS',
+ 'api_token': 'API-токен',
+ 'api_key': 'API-ключ',
+ 'endpoint': 'Конечная точка',
'billable': 'Оплачиваемый',
- 'not_billable': 'Not Billable',
- 'allow_billable_task_items': 'Allow Billable Task Items',
+ 'not_billable': 'Не подлежит оплате',
+ 'allow_billable_task_items': 'Разрешить оплачиваемые Задача',
'allow_billable_task_items_help':
- 'Enable configuring which task items are billed',
- 'show_task_item_description': 'Show Task Item Description',
+ 'Включить настройку того, какие элементы Задача будут выставлены счетами',
+ 'show_task_item_description': 'Показать описание пункта Задача',
'show_task_item_description_help':
- 'Enable specifying task item descriptions',
- 'email_record': 'Email Record',
- 'invoice_product_columns': 'Invoice Product Columns',
- 'quote_product_columns': 'Quote Product Columns',
- 'minimum_payment_amount': 'Minimum Payment Amount',
- 'client_initiated_payments': 'Client Initiated Payments',
+ 'Включить указание описаний элементов Задача',
+ 'email_record': 'Запись E-mail',
+ 'invoice_product_columns': 'Счет Столбцы Продукта',
+ 'quote_product_columns': 'Цитата Столбцы продукта',
+ 'minimum_payment_amount': 'Минимальная Сумма Платеж',
+ 'client_initiated_payments': 'Клиент Инициировал Платежи',
'client_initiated_payments_help':
- 'Support making a payment in the client portal without an invoice',
- 'share_invoice_quote_columns': 'Share Invoice/Quote Columns',
- 'cc_email': 'CC Email',
- 'payment_balance': 'Payment Balance',
+ 'Поддержка оформления Платеж на клиента портале без Счет',
+ 'share_invoice_quote_columns': 'Поделиться Счет / Цитата Колонки',
+ 'cc_email': 'Копия E-mail',
+ 'payment_balance': 'Платеж Баланс',
'view_report_permission':
- 'Allow user to access the reports, data is limited to available permissions',
- 'activity_138': 'Payment :payment was emailed to :client',
- 'one_time_products': 'One-Time Products',
- 'optional_one_time_products': 'Optional One-Time Products',
- 'required': 'Required',
- 'hidden': 'Hidden',
- 'payment_links': 'Payment Links',
+ 'Разрешить Пользователь доступ к отчетам, данные ограничены к разрешениями',
+ 'activity_138': 'Платеж :payment был отправлен по :client почте к',
+ 'one_time_products': 'Одноразовые продукты',
+ 'optional_one_time_products': 'Дополнительные одноразовые продукты',
+ 'required': 'Необходимый',
+ 'hidden': 'Скрытый',
+ 'payment_links': 'Платеж Ссылки',
'action': 'Действие',
- 'upgrade_to_paid_plan_to_schedule':
- 'Upgrade to a paid plan to create schedules',
- 'next_run': 'Next Run',
- 'all_clients': 'All Clients',
- 'show_aging_table': 'Show Aging Table',
- 'show_payments_table': 'Show Payments Table',
- 'only_clients_with_invoices': 'Only Clients with Invoices',
- 'email_statement': 'Email Statement',
- 'once': 'Once',
- 'schedule': 'Schedule',
- 'schedules': 'Schedules',
- 'new_schedule': 'New Schedule',
- 'edit_schedule': 'Edit Schedule',
- 'created_schedule': 'Successfully created schedule',
- 'updated_schedule': 'Successfully updated schedule',
- 'archived_schedule': 'Successfully archived schedule',
- 'deleted_schedule': 'Successfully deleted schedule',
- 'removed_schedule': 'Successfully removed schedule',
- 'restored_schedule': 'Successfully restored schedule',
- 'search_schedule': 'Search Schedule',
- 'search_schedules': 'Search Schedules',
+ 'upgrade_to_paid_plan_to_schedule': 'Перейти к платный план к Создать',
+ 'next_run': 'Следующий забег',
+ 'all_clients': 'Все Клиенты',
+ 'show_aging_table': 'Показать таблицу старения',
+ 'show_payments_table': 'Показать Платежи Table',
+ 'only_clients_with_invoices': 'Только Клиенты со Счета',
+ 'email_statement': 'Заявление E-mail',
+ 'once': 'Один раз',
+ 'schedule': 'Расписание',
+ 'schedules': 'Расписания',
+ 'new_schedule': 'Новое расписание',
+ 'edit_schedule': 'Редактировать Расписание',
+ 'created_schedule': 'Успешно созданы график',
+ 'updated_schedule': 'Успешно обновленное расписание',
+ 'archived_schedule': 'Успешно архивированный график',
+ 'deleted_schedule': 'Успешно Удалён расписание',
+ 'removed_schedule': 'Успешно удалено расписание',
+ 'restored_schedule': 'Успешно Восстановлен график',
+ 'search_schedule': 'Расписание поиска',
+ 'search_schedules': 'Поиск расписания',
'archive_payment': 'Архивировать оплату',
'archive_invoice': 'Архивировать счёт',
'archive_quote': 'Архивировать котировку',
'archive_credit': 'Архивировать кредит',
'archive_task': 'Архивировать задание',
'archive_client': 'Архивировать клиента',
- 'archive_project': 'Archive Project',
- 'archive_expense': 'Archive Expense',
+ 'archive_project': 'Архив проекта',
+ 'archive_expense': 'Архив расходы',
'restore_payment': 'Восстановить платёж',
'restore_invoice': 'Восстановить счёт',
- 'restore_quote': 'Restore Quote',
+ 'restore_quote': 'Восстанавливать Цитату',
'restore_credit': 'Восстановить кредит',
'restore_task': 'Восстановить задание',
'restore_client': 'Восстановить клиента',
- 'restore_project': 'Restore Project',
- 'restore_expense': 'Restore Expense',
- 'archive_vendor': 'Archive Vendor',
- 'restore_vendor': 'Restore Vendor',
+ 'restore_project': 'Восстанавливать проект',
+ 'restore_expense': 'Восстанавливать расходы',
+ 'archive_vendor': 'Архив Продавец',
+ 'restore_vendor': 'Восстанавливать Продавец',
'create_product': 'Добавить товар/услугу',
- 'update_product': 'Update Product',
+ 'update_product': 'Обновить продукт',
'delete_product': 'Удалить товар/услугу',
'restore_product': 'Восстановить товар/услугу',
'archive_product': 'Архивировать товар/услугу',
- 'create_purchase_order': 'Create Purchase Order',
- 'update_purchase_order': 'Update Purchase Order',
- 'delete_purchase_order': 'Delete Purchase Order',
- 'restore_purchase_order': 'Restore Purchase Order',
- 'archive_purchase_order': 'Archive Purchase Order',
- 'sent_invoice': 'Sent Invoice',
- 'sent_quote': 'Sent Quote',
- 'sent_credit': 'Sent Credit',
- 'sent_purchase_order': 'Sent Purchase Order',
- 'image_url': 'Image URL',
- 'max_quantity': 'Max Quantity',
- 'test_url': 'Test URL',
- 'auto_bill_help_off': 'Option is not shown',
- 'auto_bill_help_optin': 'Option is shown but not selected',
- 'auto_bill_help_optout': 'Option is shown and selected',
- 'auto_bill_help_always': 'Option is not shown',
+ 'create_purchase_order': 'Создать заказ на покупку',
+ 'update_purchase_order': 'Обновить заказ на покупку',
+ 'delete_purchase_order': 'Удалить заказ на покупку',
+ 'restore_purchase_order': 'Восстанавливать заказ на поставку',
+ 'archive_purchase_order': 'Архив Заказ на покупку',
+ 'sent_invoice': 'Отправлено Счет',
+ 'sent_quote': 'Отправлено Цитата',
+ 'sent_credit': 'Отправлено Кредит',
+ 'sent_purchase_order': 'Отправлено Заказ на Поставку',
+ 'image_url': 'URL-адрес изображения',
+ 'max_quantity': 'Максимальное количество',
+ 'test_url': 'Тестовый URL-адрес',
+ 'auto_bill_help_off': 'Вариант не показан',
+ 'auto_bill_help_optin': 'Опция показана, но не выбрана',
+ 'auto_bill_help_optout': 'Опция показана и выбрана',
+ 'auto_bill_help_always': 'Вариант не показан',
'payment_methods': 'Методы оплаты',
- 'view_all': 'View All',
- 'edit_all': 'Edit All',
- 'accept_purchase_order_number': 'Accept Purchase Order Number',
+ 'view_all': 'Смотреть все',
+ 'edit_all': 'Редактировать Все',
+ 'accept_purchase_order_number': 'Принять номер заказа на покупку',
'accept_purchase_order_number_help':
- 'Enable clients to provide a PO number when approving a quote',
- 'from_email': 'From Email',
- 'show_preview': 'Show Preview',
- 'show_paid_stamp': 'Show Paid Stamp',
- 'show_shipping_address': 'Show Shipping Address',
+ 'Включите Клиенты к предоставления номера заказа при утверждении предложения.',
+ 'from_email': 'Из E-mail',
+ 'show_preview': 'Показать предварительный просмотр',
+ 'show_paid_stamp': 'Показать оплаченную марку',
+ 'show_shipping_address': 'Показать адрес доставки',
'no_documents_to_download':
- 'There are no documents in the selected records to download',
- 'pixels': 'Pixels',
- 'logo_size': 'Logo Size',
- 'postal_city': 'Postal/City',
- 'failed': 'Failed',
- 'client_contacts': 'Client Contacts',
- 'sync_from': 'Sync From',
- 'inventory_threshold': 'Inventory Threshold',
+ 'В выбранных записях нет документов к скачать',
+ 'pixels': 'Пиксели',
+ 'logo_size': 'Размер логотипа',
+ 'postal_city': 'Почтовый индекс/Город',
+ 'failed': 'Неуспешный',
+ 'client_contacts': 'Контакты Клиент',
+ 'sync_from': 'Синхронизировать с',
+ 'inventory_threshold': 'Порог инвентаризации',
'hour': 'Час',
- 'emailed_statement': 'Successfully queued statement to be sent',
- 'show_email_footer': 'Show Email Footer',
- 'invoice_task_hours': 'Invoice Task Hours',
- 'invoice_task_hours_help': 'Add the hours to the invoice line items',
- 'auto_bill_standard_invoices': 'Auto Bill Standard Invoices',
- 'auto_bill_recurring_invoices': 'Auto Bill Recurring Invoices',
- 'email_alignment': 'Email Alignment',
- 'pdf_preview_location': 'PDF Preview Location',
- 'mailgun': 'Mailgun',
- 'postmark': 'Postmark',
- 'microsoft': 'Microsoft',
- 'click_plus_to_create_record': 'Click + to create a record',
- 'last365_days': 'Last 365 Days',
- 'import_design': 'Import Design',
- 'imported_design': 'Successfully imported design',
- 'invalid_design': 'The design is invalid, the :value section is missing',
- 'setup_wizard_logo': 'Would you like to upload your logo?',
+ 'emailed_statement': 'Успешно поставлено в очередь заявление к отправку',
+ 'show_email_footer': 'Показать нижний колонтитул E-mail',
+ 'invoice_task_hours': 'Счет Задача Часов',
+ 'invoice_task_hours_help': 'Добавить часы к позиции Счет',
+ 'auto_bill_standard_invoices': 'Auto Bill Стандартная Счета',
+ 'auto_bill_recurring_invoices': 'Автосчет Повторяющийся Счета',
+ 'email_alignment': 'Выравнивание E-mail',
+ 'pdf_preview_location': 'Расположение предварительного просмотра PDF',
+ 'mailgun': 'Почтовая пушка',
+ 'postmark': 'Почтовый штемпель',
+ 'microsoft': 'Майкрософт',
+ 'click_plus_to_create_record': 'Нажмите + к Создать запись.',
+ 'last365_days': 'Последние 365 дней',
+ 'import_design': 'Импортный дизайн',
+ 'imported_design': 'Успешно импортированный дизайн',
+ 'invalid_design': 'Дизайн недействителен, отсутствует раздел :value',
+ 'setup_wizard_logo': 'Хотите к свой логотип?',
'upload': 'Загрузить',
- 'installed_version': 'Installed Version',
- 'notify_vendor_when_paid': 'Notify Vendor When Paid',
+ 'installed_version': 'Установленная версия',
+ 'notify_vendor_when_paid': 'Уведомить Продавец при оплате',
'notify_vendor_when_paid_help':
- 'Send an email to the vendor when the expense is marked as paid',
- 'update_payment': 'Update Payment',
- 'markup': 'Markup',
- 'purchase_order_created': 'Purchase Order Created',
- 'purchase_order_sent': 'Purchase Order Sent',
- 'purchase_order_viewed': 'Purchase Order Viewed',
- 'purchase_order_accepted': 'Purchase Order Accepted',
+ 'Отправьте E-mail к Продавец когда расходы будут отмечены как оплаченные.',
+ 'update_payment': 'Обновление Платеж',
+ 'markup': 'Разметка',
+ 'purchase_order_created': 'созданы на покупку',
+ 'purchase_order_sent': 'Заказ на покупку отправлен',
+ 'purchase_order_viewed': 'Просмотрен заказ на покупку',
+ 'purchase_order_accepted': 'Заказ на покупку принят',
'credit_payment_error':
- 'The credit amount can not be greater than the payment amount',
- 'klarna': 'Klarna',
+ 'Сумма кредита не может быть больше Сумма Платеж .',
+ 'klarna': 'Кларна',
'convert_payment_currency_help':
- 'Set an exchange rate when entering a manual payment',
+ 'Установите курс обмена при вводе ручного Платеж',
'convert_expense_currency_help':
- 'Set an exchange rate when creating an expense',
- 'matomo_url': 'Matomo URL',
- 'matomo_id': 'Matomo Id',
- 'action_add_to_invoice': 'Add To Invoice',
+ 'Установите обменный курс при создании расходы',
+ 'matomo_url': 'URL-адрес Матомо',
+ 'matomo_id': 'Матомо Ид',
+ 'action_add_to_invoice': 'Добавить к Счет',
'online_payment_email_help':
- 'Send an email when an online payment is made',
- 'manual_payment_email_help':
- 'Send an email when manually entering a payment',
+ 'Отправьте E-mail , когда будет создан онлайн- Платеж',
+ 'manual_payment_email_help': 'Отправлять E-mail при вводе Платеж вручную',
'mark_paid_payment_email_help':
- 'Send an email when marking an invoice as paid',
- 'delete_project': 'Delete Project',
- 'linked_transaction': 'Successfully linked transaction',
- 'link_payment': 'Link Payment',
- 'link_expense': 'Link Expense',
- 'lock_invoiced_tasks': 'Lock Invoiced Tasks',
+ 'Отправить E-mail при отметке Счет как оплаченного',
+ 'delete_project': 'Удалить проект',
+ 'linked_transaction': 'Успешно связанная транзакция',
+ 'link_payment': 'Ссылка Платеж',
+ 'link_expense': 'расходы на ссылку',
+ 'lock_invoiced_tasks': 'Блокировка счетов-фактур',
'lock_invoiced_tasks_help':
- 'Prevent tasks from being edited once invoiced',
- 'registration_required': 'Registration Required',
- 'registration_required_help': 'Require clients to register',
- 'use_inventory_management': 'Use Inventory Management',
- 'use_inventory_management_help': 'Require products to be in stock',
- 'optional_products': 'Optional Products',
- 'optional_recurring_products': 'Optional Recurring Products',
- 'convert_matched': 'Convert',
- 'auto_billed_invoice': 'Successfully queued invoice to be auto-billed',
- 'auto_billed_invoices': 'Successfully queued invoices to be auto-billed',
- 'operator': 'Operator',
- 'value': 'Value',
- 'is': 'Is',
- 'contains': 'Contains',
- 'starts_with': 'Starts with',
- 'is_empty': 'Is empty',
- 'add_rule': 'Add Rule',
- 'match_all_rules': 'Match All Rules',
- 'match_all_rules_help':
- 'All criteria needs to match for the rule to be applied',
+ 'Запретить редактирование задач после выставления счета',
+ 'registration_required': 'Требуется регистрация',
+ 'registration_required_help': 'Требовать от Клиенты к',
+ 'use_inventory_management': 'Используйте управление запасами',
+ 'use_inventory_management_help': 'Требовать, к продукция была в наличии',
+ 'optional_products': 'Дополнительные продукты',
+ 'optional_recurring_products': 'Дополнительные Повторяющийся продукты',
+ 'convert_matched': 'Конвертировать',
+ 'auto_billed_invoice':
+ 'Успешно поставлен в очередь Счет к автоматического выставления счета',
+ 'auto_billed_invoices': 'Успешно поставлен к Счета',
+ 'operator': 'Оператор',
+ 'value': 'Ценить',
+ 'is': 'Является',
+ 'contains': 'Содержит',
+ 'starts_with': 'Начинается с',
+ 'is_empty': 'Пусто',
+ 'add_rule': 'Добавить правило',
+ 'match_all_rules': 'Соответствие всем правилам',
+ 'match_all_rules_help': 'Для применения правила к должны к все критерии',
'auto_convert_help':
- 'Automatically convert matched transactions to expenses',
- 'rules': 'Rules',
- 'transaction_rule': 'Transaction Rule',
- 'transaction_rules': 'Transaction Rules',
- 'new_transaction_rule': 'New Transaction Rule',
- 'edit_transaction_rule': 'Edit Transaction Rule',
- 'created_transaction_rule': 'Successfully created rule',
- 'updated_transaction_rule': 'Successfully updated transaction rule',
- 'archived_transaction_rule': 'Successfully archived transaction rule',
- 'deleted_transaction_rule': 'Successfully deleted transaction rule',
- 'removed_transaction_rule': 'Successfully removed transaction rule',
- 'restored_transaction_rule': 'Successfully restored transaction rule',
- 'search_transaction_rule': 'Search Transaction Rule',
- 'search_transaction_rules': 'Search Transaction Rules',
+ 'Автоматически конвертировать сопоставленные транзакции к расходам',
+ 'rules': 'Правила',
+ 'transaction_rule': 'Правило транзакции',
+ 'transaction_rules': 'Правила транзакций',
+ 'new_transaction_rule': 'Новое правило транзакции',
+ 'edit_transaction_rule': 'Редактировать правило транзакции',
+ 'created_transaction_rule': 'Успешно созданы правило',
+ 'updated_transaction_rule': 'Успешно обновлено правило транзакции',
+ 'archived_transaction_rule': 'Успешно архивированный правило транзакции',
+ 'deleted_transaction_rule': 'Правило транзакции Успешно Удалён',
+ 'removed_transaction_rule': 'Успешно удалено правило транзакции',
+ 'restored_transaction_rule': 'Правило транзакции Успешно Восстановлен',
+ 'search_transaction_rule': 'Правило поиска транзакций',
+ 'search_transaction_rules': 'Правила поиска транзакций',
'save_as_default_terms': 'Сохранить как условия по умлочанию',
'save_as_default_footer': 'Сделать колонтитулом по умолчанию',
- 'auto_sync': 'Auto Sync',
- 'refresh_accounts': 'Refresh Accounts',
+ 'auto_sync': 'Автоматическая синхронизация',
+ 'refresh_accounts': 'Обновить аккаунты',
'upgrade_to_connect_bank_account':
- 'Upgrade to Enterprise to connect your bank account',
+ 'Обновление к Enterprise к подключите свой банковский счет',
'click_here_to_connect_bank_account':
- 'Click here to connect your bank account',
- 'disable_2fa': 'Disable 2FA',
- 'change_number': 'Change Number',
- 'resend_code': 'Resend Code',
- 'base_type': 'Base Type',
- 'category_type': 'Category Type',
- 'bank_transaction': 'Transaction',
- 'bulk_print': 'Print PDF',
- 'vendor_postal_code': 'Vendor Postal Code',
- 'preview_location': 'Preview Location',
- 'bottom': 'Bottom',
- 'side': 'Side',
- 'pdf_preview': 'PDF Preview',
- 'long_press_to_select': 'Long Press to Select',
- 'purchase_order_number': 'Purchase Order Number',
- 'purchase_order_item': 'Purchase Order Item',
- 'would_you_rate_the_app': 'Would you like to rate the app?',
- 'include_deleted': 'Include Deleted',
- 'include_deleted_help': 'Include deleted records in reports',
- 'due_on': 'Due On',
- 'converted_transactions': 'Successfully converted transactions',
- 'created_bank_account': 'Successfully created bank account',
- 'updated_bank_account': 'Successfully updated bank account',
- 'edit_bank_account': 'Edit Bank Account',
- 'default_category': 'Default Category',
- 'account_type': 'Account type',
- 'new_bank_account': 'Add Bank Account',
- 'connect_accounts': 'Connect Accounts',
- 'manage_rules': 'Manage Rules',
- 'search_category': 'Search 1 Category',
- 'search_categories': 'Search :count Categories',
- 'min_amount': 'Min Amount',
- 'max_amount': 'Max Amount',
- 'selected': 'Selected',
- 'converted_transaction': 'Successfully converted transaction',
- 'convert_to_payment': 'Convert to Payment',
- 'deposit': 'Deposit',
- 'withdrawal': 'Withdrawal',
- 'deposits': 'Deposits',
- 'withdrawals': 'Withdrawals',
- 'matched': 'Matched',
- 'unmatched': 'Unmatched',
- 'create_credit': 'Create Credit',
- 'update_credit': 'Update Credit',
+ 'Нажмите здесь, к подключить свой банковский счет',
+ 'disable_2fa': 'Отключить 2FA',
+ 'change_number': 'Изменить номер',
+ 'resend_code': 'Повторно отправить код',
+ 'base_type': 'Базовый тип',
+ 'category_type': 'Категория Тип',
+ 'bank_transaction': 'Сделка',
+ 'bulk_print': 'Распечатать PDF',
+ 'vendor_postal_code': 'Продавец Почтовый индекс',
+ 'preview_location': 'Предварительный просмотр местоположения',
+ 'bottom': 'Нижний',
+ 'side': 'Сторона',
+ 'pdf_preview': 'Предварительный просмотр PDF',
+ 'long_press_to_select': 'Длительное нажатие к Выбор',
+ 'purchase_order_number': 'Номер заказа на покупку',
+ 'purchase_order_item': 'Товар заказа на покупку',
+ 'would_you_rate_the_app': 'Хотите ли вы к приложение?',
+ 'include_deleted': 'Включить Удалён',
+ 'include_deleted_help': 'Включить записи Удалён в отчёты',
+ 'due_on': 'Срок уплаты',
+ 'converted_transactions': 'Успешно конвертированные транзакции',
+ 'created_bank_account': 'Успешно созданы банковский счет',
+ 'updated_bank_account': 'Успешно обновил банковский счет',
+ 'edit_bank_account': 'Редактировать банковский счет',
+ 'default_category': 'Категория по умолчанию',
+ 'account_type': 'Тип счета',
+ 'new_bank_account': 'Добавить банковский счет',
+ 'connect_accounts': 'Подключить аккаунты',
+ 'manage_rules': 'Управлять правилами',
+ 'search_category': 'Поиск 1 категории',
+ 'search_categories': 'Поиск :count Категории',
+ 'min_amount': 'Мин. Сумма',
+ 'max_amount': 'Макс. Сумма',
+ 'selected': 'Выбрано',
+ 'converted_transaction': 'Успешно конвертированная транзакция',
+ 'convert_to_payment': 'Конвертировать к Платеж',
+ 'deposit': 'Депозит',
+ 'withdrawal': 'Снятие',
+ 'deposits': 'Депозиты',
+ 'withdrawals': 'Вывод средств',
+ 'matched': 'Совпало',
+ 'unmatched': 'Бесподобный',
+ 'create_credit': 'Создать кредит',
+ 'update_credit': 'Обновление кредита',
'delete_credit': 'Удалить кредит',
- 'transaction': 'Transaction',
- 'transactions': 'Transactions',
- 'new_transaction': 'New Transaction',
- 'edit_transaction': 'Edit Transaction',
- 'created_transaction': 'Successfully created transaction',
- 'updated_transaction': 'Successfully updated transaction',
- 'archived_transaction': 'Successfully archived transaction',
- 'deleted_transaction': 'Successfully deleted transaction',
- 'removed_transaction': 'Successfully removed transaction',
- 'restored_transaction': 'Successfully restored transaction',
- 'search_transaction': 'Search Transaction',
- 'search_transactions': 'Search :count Transactions',
- 'bank_account': 'Bank Account',
- 'bank_accounts': 'Credit Cards & Banks',
- 'archived_bank_account': 'Successfully archived bank account',
- 'deleted_bank_account': 'Successfully deleted bank account',
- 'removed_bank_account': 'Successfully removed bank account',
- 'restored_bank_account': 'Successfully restored bank account',
- 'search_bank_account': 'Search Bank Account',
- 'search_bank_accounts': 'Search :count Bank Accounts',
- 'connect': 'Connect',
- 'mark_paid_payment_email': 'Mark Paid Payment Email',
- 'convert_to_project': 'Convert to Project',
- 'client_email': 'Client Email',
- 'invoice_task_project': 'Invoice Task Project',
- 'invoice_task_project_help': 'Add the project to the invoice line items',
- 'field': 'Field',
- 'period': 'Period',
- 'fields_per_row': 'Fields Per Row',
- 'total_active_invoices': 'Active Invoices',
- 'total_outstanding_invoices': 'Outstanding Invoices',
- 'total_completed_payments': 'Completed Payments',
- 'total_refunded_payments': 'Refunded Payments',
- 'total_active_quotes': 'Active Quotes',
- 'total_approved_quotes': 'Approved Quotes',
- 'total_unapproved_quotes': 'Unapproved Quotes',
- 'total_logged_tasks': 'Logged Tasks',
- 'total_invoiced_tasks': 'Invoiced Tasks',
- 'total_paid_tasks': 'Paid Tasks',
- 'total_logged_expenses': 'Logged Expenses',
- 'total_pending_expenses': 'Pending Expenses',
- 'total_invoiced_expenses': 'Invoiced Expenses',
- 'total_invoice_paid_expenses': 'Invoice Paid Expenses',
- 'activity_130': ':user created purchase order :purchase_order',
- 'activity_131': ':user updated purchase order :purchase_order',
- 'activity_132': ':user archived purchase order :purchase_order',
- 'activity_133': ':user deleted purchase order :purchase_order',
- 'activity_134': ':user restored purchase order :purchase_order',
- 'activity_135': ':user emailed purchase order :purchase_order',
- 'activity_136': ':contact viewed purchase order :purchase_order',
- 'activity_137': ':contact accepted purchase order :purchase_order',
- 'vendor_portal': 'Vendor Portal',
- 'send_code': 'Send Code',
- 'save_to_upload_documents': 'Save the record to upload documents',
- 'expense_tax_rates': 'Expense Tax Rates',
- 'invoice_item_tax_rates': 'Invoice Item Tax Rates',
- 'verified_phone_number': 'Successfully verified phone number',
- 'code_was_sent': 'A code has been sent via SMS',
- 'code_was_sent_to': 'A code has been sent via SMS to :number',
- 'resend': 'Resend',
- 'verify': 'Verify',
- 'enter_phone_number': 'Please provide a phone number',
- 'invalid_phone_number': 'Invalid phone number',
- 'verify_phone_number': 'Verify Phone Number',
+ 'transaction': 'Сделка',
+ 'transactions': 'Транзакции',
+ 'new_transaction': 'Новая транзакция',
+ 'edit_transaction': 'Редактировать транзакцию',
+ 'created_transaction': 'Успешно созданы транзакция',
+ 'updated_transaction': 'Успешно обновил транзакцию',
+ 'archived_transaction': 'Успешно архивированный транзакция',
+ 'deleted_transaction': 'Успешно Удалён транзакция',
+ 'removed_transaction': 'Успешно удалил транзакцию',
+ 'restored_transaction': 'Успешно Восстановлен транзакция',
+ 'search_transaction': 'Поиск транзакций',
+ 'search_transactions': 'Поиск :count Транзакции',
+ 'bank_account': 'Банковский счет',
+ 'bank_accounts': 'Кредитные карты и банки',
+ 'archived_bank_account': 'Успешно архивированный банковский счет',
+ 'deleted_bank_account': 'Банковский счет Успешно Удалён',
+ 'removed_bank_account': 'Успешно удалили банковский счет',
+ 'restored_bank_account': 'Успешно Восстановлен банковский счет',
+ 'search_bank_account': 'Поиск банковского счета',
+ 'search_bank_accounts': 'Поиск :count Банковские счета',
+ 'connect': 'Соединять',
+ 'mark_paid_payment_email': 'Марк Оплачен Платеж E-mail',
+ 'convert_to_project': 'Конвертировать к проекту',
+ 'client_email': 'E-mail Клиент',
+ 'invoice_task_project': 'Счет Задача Проект',
+ 'invoice_task_project_help': 'Добавить проект к позиции Счет',
+ 'field': 'Поле',
+ 'period': 'Период',
+ 'fields_per_row': 'Поля в строке',
+ 'total_active_invoices': 'Active Счета',
+ 'total_outstanding_invoices': 'Выдающийся Счета',
+ 'total_completed_payments': 'Завершено Платежи',
+ 'total_refunded_payments': 'Возврат Платежи',
+ 'total_active_quotes': 'Активные котировки',
+ 'total_approved_quotes': 'Одобрено Quotes',
+ 'total_unapproved_quotes': 'Неутвержденные котировки',
+ 'total_logged_tasks': 'Зарегистрированные задачи',
+ 'total_invoiced_tasks': 'Задачи, по которым выставлен счет',
+ 'total_paid_tasks': 'Платные задания',
+ 'total_logged_expenses': 'Зарегистрированные расходы',
+ 'total_pending_expenses': 'Ожидаемые расходы',
+ 'total_invoiced_expenses': 'Расходы, выставленные по счету',
+ 'total_invoice_paid_expenses': 'Счет Оплаченных Расходов',
+ 'activity_130': ':user созданы заказ на поставку :purchase_order',
+ 'activity_131': ':user обновленный заказ на покупку :purchase_order',
+ 'activity_132': ':user архивированный заказ на поставку :purchase_order',
+ 'activity_133': ':user Удалён заказ на покупку :purchase_order',
+ 'activity_134': ':user Заказ на поставку Восстановлен :purchase_order',
+ 'activity_135':
+ ':user отправленный по электронной почте заказ на покупку :purchase_order',
+ 'activity_136': ':contact просмотренный заказ на покупку :purchase_order',
+ 'activity_137': ':contact принят заказ на покупку :purchase_order',
+ 'vendor_portal': 'Продавец Portal',
+ 'send_code': 'Отправить код',
+ 'save_to_upload_documents': 'Сохранить запись к загрузки документов',
+ 'expense_tax_rates': 'расходы Налоговые ставки',
+ 'invoice_item_tax_rates': 'Счет Пункт Налоговые Ставки',
+ 'verified_phone_number': 'Успешно проверен номер Телефон',
+ 'code_was_sent': 'Код был отправлен по SMS',
+ 'code_was_sent_to': 'Код был отправлен по SMS к :number',
+ 'resend': 'Отправить повторно',
+ 'verify': 'Проверять',
+ 'enter_phone_number': 'Пожалуйста, укажите номер Телефон',
+ 'invalid_phone_number': 'Неверный номер Телефон',
+ 'verify_phone_number': 'Проверить номер Телефон',
'verify_phone_number_help':
- 'Please verify your phone number to send emails',
+ 'Пожалуйста, подтвердите свой номер Телефон к отправки электронных писем',
'verify_phone_number_2fa_help':
- 'Please verify your phone number for 2FA backup',
- 'merged_clients': 'Successfully merged clients',
- 'merge_into': 'Merge Into',
+ 'Пожалуйста, проверьте ваш номер Телефон для резервного копирования 2FA',
+ 'merged_clients': 'Успешно объединились Клиенты',
+ 'merge_into': 'Объединить в',
'merge': 'Объединить',
- 'price_change_accepted': 'Price change accepted',
- 'price_change_failed': 'Price change failed with code',
- 'restore_purchases': 'Restore Purchases',
- 'activate': 'Activate',
- 'connect_apple': 'Connect Apple',
- 'disconnect_apple': 'Disconnect Apple',
- 'disconnected_apple': 'Successfully disconnected Apple',
- 'send_now': 'Send Now',
- 'received': 'Received',
- 'purchase_order_date': 'Purchase Order Date',
- 'converted_to_expense': 'Successfully converted to expense',
- 'converted_to_expenses': 'Successfully converted to expenses',
- 'convert_to_expense': 'Convert to Expense',
- 'add_to_inventory': 'Add to Inventory',
+ 'price_change_accepted': 'Изменение цены принято',
+ 'price_change_failed': 'Изменение цены не удалось с кодом',
+ 'restore_purchases': 'Восстанавливать покупки',
+ 'activate': 'Активировать',
+ 'connect_apple': 'Подключите Apple',
+ 'disconnect_apple': 'Отключить Apple',
+ 'disconnected_apple': 'Успешно отключил Apple',
+ 'send_now': 'Отправить сейчас',
+ 'received': 'Полученный',
+ 'purchase_order_date': 'Дата заказа на покупку',
+ 'converted_to_expense': 'Успешно перешел к расходы',
+ 'converted_to_expenses': 'Успешно пересчитано к расходы',
+ 'convert_to_expense': 'Конвертировать к расходы',
+ 'add_to_inventory': 'Добавить к инвентарь',
'added_purchase_order_to_inventory':
- 'Successfully added purchase order to inventory',
+ 'Успешно добавил заказ на поставку к инвентарь',
'added_purchase_orders_to_inventory':
- 'Successfully added purchase orders to inventory',
- 'client_document_upload': 'Client Document Upload',
- 'vendor_document_upload': 'Vendor Document Upload',
- 'vendor_document_upload_help': 'Enable vendors to upload documents',
- 'are_you_enjoying_the_app': 'Are you enjoying the app?',
- 'yes_its_great': 'Yes, it\'s great!',
- 'not_so_much': 'Not so much',
- 'would_you_rate_it': 'Great to hear! Would you like to rate it?',
+ 'Успешно добавил заказы на поставку к инвентарь',
+ 'client_document_upload': 'Клиент загрузка документов',
+ 'vendor_document_upload': 'Продавец Загрузка документа',
+ 'vendor_document_upload_help': 'Разрешить поставщикам к документы',
+ 'are_you_enjoying_the_app': 'Вам нравится приложение?',
+ 'yes_its_great': 'Да, это здорово!',
+ 'not_so_much': 'Не так уж и много.',
+ 'would_you_rate_it': 'Здорово к ! Хотите к ?',
'would_you_tell_us_more':
- 'Sorry to hear it! Would you like to tell us more?',
- 'sure_happy_to': 'Sure, happy to',
- 'no_not_now': 'No, not now',
- 'add': 'Add',
- 'last_sent_template': 'Last Sent Template',
- 'enable_flexible_search': 'Enable Flexible Search',
+ 'Извините, к слышать это! Хотите к рассказать нам больше?',
+ 'sure_happy_to': 'Конечно, счастлива к',
+ 'no_not_now': 'Нет, не сейчас.',
+ 'add': 'Добавить',
+ 'last_sent_template': 'Последний отправленный шаблон',
+ 'enable_flexible_search': 'Включить гибкий поиск',
'enable_flexible_search_help':
- 'Match non-contiguous characters, ie. \'ct\' matches \'cat\'',
- 'vendor_details': 'Vendor Details',
- 'purchase_order_details': 'Purchase Order Details',
- 'qr_iban': 'QR IBAN',
- 'besr_id': 'BESR ID',
+ 'Соответствует несмежным символам, например, «ct» соответствует «cat»',
+ 'vendor_details': 'Продавец детали',
+ 'purchase_order_details': 'детали заказа на покупку',
+ 'qr_iban': 'QR-код IBAN',
+ 'besr_id': 'БЭСР ID',
'accept': 'Подтвердить',
- 'clone_to_purchase_order': 'Clone to PO',
- 'vendor_email_not_set': 'Vendor does not have an email address set',
- 'bulk_send_email': 'Send Email',
+ 'clone_to_purchase_order': 'Клон к ПО',
+ 'vendor_email_not_set': 'Продавец не указан адрес E-mail',
+ 'bulk_send_email': 'Отправить E-mail',
'marked_purchase_order_as_sent':
- 'Successfully marked purchase order as sent',
+ 'Успешно пометил заказ на покупку как отправленный',
'marked_purchase_orders_as_sent':
- 'Successfully marked purchase orders as sent',
- 'accepted_purchase_order': 'Successfully accepted purchase order',
- 'accepted_purchase_orders': 'Successfully accepted purchase orders',
- 'cancelled_purchase_order': 'Successfully cancelled purchase order',
- 'cancelled_purchase_orders': 'Successfully cancelled purchase orders',
- 'accepted': 'Accepted',
- 'please_select_a_vendor': 'Please select a vendor',
- 'purchase_order_total': 'Purchase Order Total',
- 'email_purchase_order': 'Email Purchase Order',
- 'bulk_email_purchase_orders': 'Email Purchase Orders',
- 'disconnected_email': 'Successfully disconnected email',
- 'connect_email': 'Connect Email',
- 'disconnect_email': 'Disconnect Email',
+ 'Успешно пометил заказы на покупку как отправленные',
+ 'accepted_purchase_order': 'Успешно принят заказ на покупку',
+ 'accepted_purchase_orders': 'Успешно приняты заказы на поставку',
+ 'cancelled_purchase_order': 'Успешно отменил заказ на покупку',
+ 'cancelled_purchase_orders': 'Успешно отменены заказы на покупку',
+ 'accepted': 'Принял',
+ 'please_select_a_vendor': 'Пожалуйста, выберите Продавец',
+ 'purchase_order_total': 'Заказ на покупку Итого',
+ 'email_purchase_order': 'Заказ на покупку E-mail',
+ 'bulk_email_purchase_orders': 'Заказы на покупку E-mail',
+ 'disconnected_email': 'Успешно E-mail',
+ 'connect_email': 'Подключить E-mail',
+ 'disconnect_email': 'Отключить E-mail',
'use_web_app_to_connect_microsoft':
- 'Please use the web app to connect to Microsoft',
- 'email_provider': 'Email Provider',
- 'connect_microsoft': 'Connect Microsoft',
- 'disconnect_microsoft': 'Disconnect Microsoft',
- 'connected_microsoft': 'Successfully connected Microsoft',
- 'disconnected_microsoft': 'Successfully disconnected Microsoft',
- 'microsoft_sign_in': 'Login with Microsoft',
- 'microsoft_sign_up': 'Sign up with Microsoft',
- 'emailed_purchase_order': 'Successfully queued purchase order to be sent',
+ 'Пожалуйста, используйте веб-приложение к connect к Microsoft',
+ 'email_provider': 'Поставщик E-mail',
+ 'connect_microsoft': 'Подключить Майкрософт',
+ 'disconnect_microsoft': 'Отключить Майкрософт',
+ 'connected_microsoft': 'Успешно подключился Microsoft',
+ 'disconnected_microsoft': 'Успешно отключил Microsoft',
+ 'microsoft_sign_in': 'Войти через Microsoft',
+ 'microsoft_sign_up': 'Зарегистрироваться в Microsoft',
+ 'emailed_purchase_order':
+ 'Успешно поставленный в очередь заказ на поставку к отправлен',
'emailed_purchase_orders':
- 'Successfully queued purchase orders to be sent',
- 'enable_react_app': 'Change to the React web app',
- 'purchase_order_design': 'Purchase Order Design',
- 'purchase_order_terms': 'Purchase Order Terms',
- 'purchase_order_footer': 'Purchase Order Footer',
- 'require_purchase_order_signature': 'Purchase Order Signature',
+ 'Успешно поставленные в очередь заказы на покупку к отправлены',
+ 'enable_react_app': 'к веб-приложение React',
+ 'purchase_order_design': 'Оформление заказа на закупку',
+ 'purchase_order_terms': 'Условия заказа на покупку',
+ 'purchase_order_footer': 'Нижний колонтитул заказа на покупку',
+ 'require_purchase_order_signature': 'Подпись заказа на покупку',
'require_purchase_order_signature_help':
- 'Require vendor to provide their signature.',
- 'purchase_order': 'Purchase Order',
- 'purchase_orders': 'Purchase Orders',
- 'new_purchase_order': 'New Purchase Order',
- 'edit_purchase_order': 'Edit Purchase Order',
- 'created_purchase_order': 'Successfully created purchase order',
- 'updated_purchase_order': 'Successfully updated purchase order',
- 'archived_purchase_order': 'Successfully archived purchase order',
- 'deleted_purchase_order': 'Successfully deleted purchase order',
- 'removed_purchase_order': 'Successfully removed purchase order',
- 'restored_purchase_order': 'Successfully restored purchase order',
- 'search_purchase_order': 'Search Purchase Order',
- 'search_purchase_orders': 'Search Purchase Orders',
- 'login_url': 'Login URL',
- 'payment_settings': 'Payment Settings',
- 'default': 'Default',
- 'stock_quantity': 'Stock Quantity',
- 'notification_threshold': 'Notification Threshold',
- 'track_inventory': 'Track Inventory',
+ 'Требовать от Продавец к свою подпись.',
+ 'purchase_order': 'Заказ на покупку',
+ 'purchase_orders': 'Заказы на закупку',
+ 'new_purchase_order': 'Новый заказ на покупку',
+ 'edit_purchase_order': 'Редактировать заказ на поставку',
+ 'created_purchase_order': 'Успешно созданы заказ на поставку',
+ 'updated_purchase_order': 'Успешно обновлен заказ на покупку',
+ 'archived_purchase_order': 'Успешно архивированный заказ на покупку',
+ 'deleted_purchase_order': 'Успешно Удалён заказ на покупку',
+ 'removed_purchase_order': 'Успешно удалил заказ на покупку',
+ 'restored_purchase_order': 'Успешно Восстановлен заказ на покупку',
+ 'search_purchase_order': 'Поиск заказа на покупку',
+ 'search_purchase_orders': 'Поиск заказов на закупку',
+ 'login_url': 'URL-адрес входа',
+ 'payment_settings': 'Платеж Настройки',
+ 'default': 'По умолчанию',
+ 'stock_quantity': 'Количество на складе',
+ 'notification_threshold': 'Порог уведомления',
+ 'track_inventory': 'Инвентарь для отслеживания',
'track_inventory_help':
- 'Display a product stock field and update when invoices are sent',
- 'stock_notifications': 'Stock Notifications',
+ 'Отображение поля запасов товара и обновление при отправке Счета',
+ 'stock_notifications': 'Уведомления о наличии',
'stock_notifications_help':
- 'Send an email when the stock reaches the threshold',
- 'vat': 'VAT',
+ 'Отправить E-mail когда акции достигнут порогового значения',
+ 'vat': 'НДС',
'standing': 'Состояние',
- 'view_map': 'View Map',
- 'set_default_design': 'Set Default Design',
- 'add_gateway': 'Add Payment Gateway',
+ 'view_map': 'Смотреть карту',
+ 'set_default_design': 'Установить дизайн по умолчанию',
+ 'add_gateway': 'Добавить Платежный Шлюз',
'add_gateway_help_message':
- 'Add a payment gateway (ie. Stripe, WePay or PayPal) to accept online payments',
- 'left': 'Left',
- 'right': 'Right',
- 'center': 'Center',
- 'page_numbering': 'Page Numbering',
- 'page_numbering_alignment': 'Page Numbering Alignment',
- 'invoice_sent_notification_label': 'Invoice Sent',
- 'show_product_description': 'Show Product Description',
+ 'Добавить Платежный Шлюз (например, Stripe, WePay или PayPal), к принимать онлайн- Платежи',
+ 'left': 'Левый',
+ 'right': 'Верно',
+ 'center': 'Центр',
+ 'page_numbering': 'Нумерация страниц',
+ 'page_numbering_alignment': 'Выравнивание нумерации страниц',
+ 'invoice_sent_notification_label': 'Счет отправлен',
+ 'show_product_description': 'Показать описание продукта',
'show_product_description_help':
- 'Include the description in the product dropdown',
- 'invoice_items': 'Invoice Items',
- 'quote_items': 'Quote Items',
- 'profitloss': 'Profit and Loss',
- 'import_format': 'Import Format',
- 'export_format': 'Export Format',
- 'export_type': 'Export Type',
- 'stop_on_unpaid': 'Stop On Unpaid',
+ 'Включите описание в раскрывающийся список продуктов',
+ 'invoice_items': 'Счет Элементы',
+ 'quote_items': 'Цитировать элементы',
+ 'profitloss': 'Прибыль и убыток',
+ 'import_format': 'Формат импорта',
+ 'export_format': 'Экспорт Формат',
+ 'export_type': 'Тип экспорта',
+ 'stop_on_unpaid': 'Остановка по неоплаченному счету',
'stop_on_unpaid_help':
- 'Stop creating recurring invoices if the last invoice is unpaid.',
- 'use_quote_terms': 'Use Quote Terms',
- 'use_quote_terms_help': 'When converting a quote to an invoice',
- 'add_country': 'Add Country',
- 'enable_tooltips': 'Enable Tooltips',
- 'enable_tooltips_help': 'Show tooltips when hovering the mouse',
- 'multiple_client_error': 'Error: records belong to more than one client',
- 'register_label': 'Create your account in seconds',
- 'login_label': 'Login to an existing account',
+ 'Прекратить создание Повторяющийся Счет а если последний Счет не оплачен.',
+ 'use_quote_terms': 'Использовать цитату Условия',
+ 'use_quote_terms_help': 'При конвертации котировки к Счет',
+ 'add_country': 'Добавить страну',
+ 'enable_tooltips': 'Включить подсказки',
+ 'enable_tooltips_help': 'Показывать подсказки при наведении мыши',
+ 'multiple_client_error': 'Ошибка: записи принадлежат к чем одному к .',
+ 'register_label': 'Создать свою учетную запись за считанные секунды',
+ 'login_label': 'Войти к существующую учетную запись',
'add_to_invoice': 'Добавить в счет :invoice',
- 'no_invoices_found': 'No invoices found',
+ 'no_invoices_found': 'Счета не найден',
'week': 'Неделя',
- 'created_record': 'Successfully created record',
- 'auto_archive_paid_invoices': 'Auto Archive Paid',
+ 'created_record': 'Успешно созданы запись',
+ 'auto_archive_paid_invoices': 'Авто Архив Платный',
'auto_archive_paid_invoices_help':
- 'Automatically archive invoices when they are paid.',
- 'auto_archive_cancelled_invoices': 'Auto Archive Cancelled',
+ 'Автоматически Архив Счета при их оплате.',
+ 'auto_archive_cancelled_invoices': 'Авто Архив Отменено',
'auto_archive_cancelled_invoices_help':
- 'Automatically archive invoices when cancelled.',
- 'alternate_pdf_viewer': 'Alternate PDF Viewer',
+ 'Автоматически Архив Счета при отмене.',
+ 'alternate_pdf_viewer': 'Альтернативный просмотрщик PDF',
'alternate_pdf_viewer_help':
- 'Improve scrolling over the PDF preview [BETA]',
- 'invoice_currency': 'Invoice Currency',
+ 'Улучшение прокрутки в предварительном просмотре PDF [BETA]',
+ 'invoice_currency': 'Счет Валюта',
'range': 'Диапазон',
- 'tax_amount1': 'Tax Amount 1',
- 'tax_amount2': 'Tax Amount 2',
- 'tax_amount3': 'Tax Amount 3',
+ 'tax_amount1': 'Сумма налога 1',
+ 'tax_amount2': 'Сумма налога 2',
+ 'tax_amount3': 'Сумма налога 3',
'create_project': 'Создать проект',
- 'update_project': 'Update Project',
- 'view_task': 'View Task',
- 'cancel_invoice': 'Cancel',
- 'changed_status': 'Successfully changed task status',
- 'change_status': 'Change Status',
- 'fees_sample': 'The fee for a :amount invoice would be :total.',
- 'enable_touch_events': 'Enable Touch Events',
- 'enable_touch_events_help': 'Support drag events to scroll',
- 'after_saving': 'After Saving',
- 'view_record': 'View Record',
- 'enable_email_markdown': 'Enable Email Markdown',
- 'enable_email_markdown_help': 'Use visual markdown editor for emails',
- 'enable_pdf_markdown': 'Enable PDF Markdown',
- 'json_help': 'Note: JSON files generated by the v4 app are not supported',
- 'release_notes': 'Release Notes',
- 'upgrade_to_view_reports': 'Upgrade your plan to view reports',
- 'started_tasks': 'Successfully started :value tasks',
- 'stopped_tasks': 'Successfully stopped :value tasks',
- 'approved_quote': 'Successfully apporved quote',
- 'approved_quotes': 'Successfully :value approved quotes',
+ 'update_project': 'Обновление проекта',
+ 'view_task': 'Смотреть Задача',
+ 'cancel_invoice': 'Отменить',
+ 'changed_status': 'Успешно изменен статус Задача',
+ 'change_status': 'Изменить статус',
+ 'fees_sample': 'Плата за Счет :amount составит :total .',
+ 'enable_touch_events': 'Включить сенсорные события',
+ 'enable_touch_events_help':
+ 'Поддержка событий перетаскивания к прокрутке',
+ 'after_saving': 'После сохранения',
+ 'view_record': 'Смотреть запись',
+ 'enable_email_markdown': 'Включить разметку E-mail',
+ 'enable_email_markdown_help':
+ 'Используйте визуальный редактор разметки для электронных писем',
+ 'enable_pdf_markdown': 'Включить PDF Markdown',
+ 'json_help':
+ 'Примечание . Файлы JSON, созданные приложением версии 4, не поддерживаются.',
+ 'release_notes': 'Заметки о выпуске',
+ 'upgrade_to_view_reports': 'Обновите свой план к Смотреть отчеты',
+ 'started_tasks': 'Успешно запустил :value задач',
+ 'stopped_tasks': 'Успешно остановлены задачи :value',
+ 'approved_quote': 'Успешно одобренная цитата',
+ 'approved_quotes': 'Успешно :value Цитаты Одобрено',
'approve': 'Одобрить',
- 'client_website': 'Client Website',
- 'invalid_time': 'Invalid Time',
- 'client_shipping_state': 'Client Shipping State',
- 'client_shipping_city': 'Client Shipping City',
- 'client_shipping_postal_code': 'Client Shipping Postal Code',
- 'client_shipping_country': 'Client Shipping Country',
- 'load_pdf': 'Load PDF',
- 'start_free_trial': 'Start Free Trial',
+ 'client_website': 'Клиент веб-сайт',
+ 'invalid_time': 'Неверное время',
+ 'client_shipping_state': 'Клиент Доставка Штат',
+ 'client_shipping_city': 'Клиент Доставка Город',
+ 'client_shipping_postal_code': 'Клиент Почтовый индекс доставки',
+ 'client_shipping_country': 'Клиент Страна доставки',
+ 'load_pdf': 'Загрузить PDF',
+ 'start_free_trial': 'Начать Бесплатная пробная версия',
'start_free_trial_message':
- 'Start your FREE 14 day trial of the Pro Plan',
- 'due_on_receipt': 'Due on Receipt',
- 'is_paid': 'Is Paid',
- 'age_group_paid': 'Paid',
- 'id': 'Id',
- 'convert_to': 'Convert To',
- 'client_currency': 'Client Currency',
- 'company_currency': 'Company Currency',
- 'purged_client': 'Successfully purged client',
+ 'Начать БЕСПЛАТНУЮ 14-дневную пробную версию Pro Plan',
+ 'due_on_receipt': 'Оплата по получении',
+ 'is_paid': 'Оплачивается',
+ 'age_group_paid': 'Оплаченный',
+ 'id': 'Идентификатор',
+ 'convert_to': 'Конвертировать к',
+ 'client_currency': 'Клиент Валюта',
+ 'company_currency': 'Валюта компании',
+ 'purged_client': 'Успешно удален клиента',
'custom_emails_disabled_help':
- 'To prevent spam we require upgrading to a paid account to customize the email',
- 'upgrade_to_add_company': 'Upgrade your plan to add companies',
- 'small': 'Small',
- 'marked_credit_as_paid': 'Successfully marked credit as paid',
- 'marked_credits_as_paid': 'Successfully marked credits as paid',
- 'wait_for_loading': 'Data loading - please wait for it to complete',
- 'wait_for_saving': 'Data saving - please wait for it to complete',
+ 'к предотвратить спам мы требуем обновления к платный аккаунт к настроить E-mail',
+ 'upgrade_to_add_company': 'Обновите свой план к Добавить',
+ 'small': 'Маленький',
+ 'marked_credit_as_paid': 'Успешно пометил кредит как оплаченный',
+ 'marked_credits_as_paid': 'Успешно пометил кредиты как оплаченные',
+ 'wait_for_loading':
+ 'Загрузка данных - пожалуйста, дождитесь к завершения',
+ 'wait_for_saving': 'Сохранение данных - пожалуйста, дождитесь его к',
'html_preview_warning':
- 'Note: changes made here are only previewed, they must be applied in the tabs above to be saved',
- 'remaining': 'Remaining',
- 'invoice_paid': 'Invoice Paid',
- 'activity_120': ':user created recurring expense :recurring_expense',
- 'activity_121': ':user updated recurring expense :recurring_expense',
- 'activity_122': ':user archived recurring expense :recurring_expense',
- 'activity_123': ':user deleted recurring expense :recurring_expense',
- 'activity_124': ':user restored recurring expense :recurring_expense',
- 'normal': 'Normal',
- 'large': 'Large',
- 'extra_large': 'Extra Large',
- 'show_pdf_preview': 'Show PDF Preview',
- 'show_pdf_preview_help': 'Display PDF preview while editing invoices',
- 'print_pdf': 'Print PDF',
- 'remind_me': 'Remind Me',
- 'instant_bank_pay': 'Instant Bank Pay',
- 'click_selected': 'Click Selected',
- 'hide_preview': 'Hide Preview',
- 'edit_record': 'Edit Record',
+ 'Примечание : внесенные здесь изменения только просматриваются, их необходимо применить на вкладках выше к сохранить.',
+ 'remaining': 'Оставшийся',
+ 'invoice_paid': 'Счет оплачен',
+ 'activity_120': ':user созданы Повторяющийся расходы :recurring_expense',
+ 'activity_121':
+ ':user обновлено Повторяющийся расходы :recurring_expense',
+ 'activity_122':
+ ':user архивированный Повторяющийся расходы :recurring_expense',
+ 'activity_123': ':user Удалён Повторяющийся расходы :recurring_expense',
+ 'activity_124':
+ ':user Восстановлен Повторяющийся расходы :recurring_expense',
+ 'normal': 'Нормальный',
+ 'large': 'Большой',
+ 'extra_large': 'Очень большой',
+ 'show_pdf_preview': 'Показать предварительный просмотр PDF',
+ 'show_pdf_preview_help':
+ 'Отображение предварительного просмотра PDF во время редактирования Счета',
+ 'print_pdf': 'Распечатать PDF',
+ 'remind_me': 'Напомни мне',
+ 'instant_bank_pay': 'Мгновенная банковская оплата',
+ 'click_selected': 'Нажмите «Выбрано».',
+ 'hide_preview': 'Скрыть предварительный просмотр',
+ 'edit_record': 'Редактировать запись',
'credit_is_more_than_invoice':
- 'The credit amount can not be more than the invoice amount',
+ 'Сумма кредита не может быть больше Счет Сумма',
'giropay': 'GiroPay',
- 'direct_debit': 'Direct Debit',
- 'please_set_a_password': 'Please set an account password',
+ 'direct_debit': 'Прямой дебет',
+ 'please_set_a_password': 'Пожалуйста, установите пароль учетной записи',
'set_password': 'Установить пароль',
- 'disconnected_gateway': 'Successfully disconnected gateway',
- 'disconnect': 'Disconnect',
- 'add_to_invoices': 'Add to Invoices',
- 'acss': 'ACSS Debit',
- 'becs': 'BECS Direct Debit',
- 'bulk_download': 'Download',
+ 'disconnected_gateway': 'Успешно отключил Шлюз',
+ 'disconnect': 'Отключить',
+ 'add_to_invoices': 'Добавить к Счета',
+ 'acss': 'Дебет ACSS',
+ 'becs': 'Прямой дебет BECS',
+ 'bulk_download': 'Скачать',
'persist_data_help':
- 'Save data locally to enable the app to start faster, disabling may improve performance in large accounts',
- 'persist_ui': 'Persist UI',
+ 'Сохранить данные локально к включить приложение к запустить быстрее, отключение может улучшить производительность в больших аккаунтах',
+ 'persist_ui': 'Сохранение пользовательского интерфейса',
'persist_ui_help':
- 'Save UI state locally to enable the app to start at the last location, disabling may improve performance',
- 'client_postal_code': 'Client Postal Code',
- 'client_vat_number': 'Client VAT Number',
- 'has_tasks': 'Has Tasks',
- 'registration': 'Registration',
+ 'Сохранить состояние пользовательского интерфейса локально к включить приложение к запуску с последнего местоположения, отключение может улучшить производительность',
+ 'client_postal_code': 'Клиент Почтовый индекс',
+ 'client_vat_number': 'Номер Клиент НДС',
+ 'has_tasks': 'Имеет задачи',
+ 'registration': 'Регистрация',
'unauthorized_stripe_warning':
- 'Please authorize Stripe to accept online payments.',
- 'view_expense': 'View expense # :expense',
- 'view_statement': 'View Statement',
- 'sepa': 'SEPA Direct Debit',
- 'ideal': 'iDEAL',
+ 'Пожалуйста, разрешите Stripe к онлайн- Платежи .',
+ 'view_expense': 'Смотреть расходы # :expense',
+ 'view_statement': 'Смотреть заявление',
+ 'sepa': 'Прямой дебет SEPA',
+ 'ideal': 'ИДЕАЛЬНЫЙ',
'przelewy24': 'Przelewy24',
'eps': 'EPS',
- 'fpx': 'FPX',
- 'update_all_records': 'Update all records',
+ 'fpx': 'ФПХ',
+ 'update_all_records': 'Обновить все записи',
'system': 'Сичтема',
- 'set_default_company': 'Set Default Company',
- 'updated_company': 'Successfully updated company',
- 'kbc': 'KBC',
+ 'set_default_company': 'Установить компанию по умолчанию',
+ 'updated_company': 'Успешно обновленная компания',
+ 'kbc': 'КБК',
'bancontact': 'Bancontact',
- 'why_are_you_leaving': 'Help us improve by telling us why (optional)',
- 'webhook_success': 'Webhook Success',
- 'error_cross_client_tasks': 'Tasks must all belong to the same client',
+ 'why_are_you_leaving':
+ 'Помогите нам стать лучше, рассказав нам, почему (необязательно)',
+ 'webhook_success': 'Успех веб-перехватчика',
+ 'error_cross_client_tasks': 'Все задачи должны принадлежать к к .',
'error_cross_client_expenses':
- 'Expenses must all belong to the same client',
- 'app': 'App',
- 'for_best_performance': 'For the best performance download the :app app',
- 'gross_line_total': 'Gross Line Total',
- 'bulk_email_invoices': 'Email Invoices',
- 'bulk_email_quotes': 'Email Quotes',
- 'bulk_email_credits': 'Email Credits',
- 'from_name': 'From Name',
- 'clone_to_expense': 'Clone to Expense',
- 'recurring_expense': 'Recurring Expense',
- 'recurring_expenses': 'Recurring Expenses',
- 'new_recurring_expense': 'New Recurring Expense',
- 'edit_recurring_expense': 'Edit Recurring Expense',
- 'created_recurring_expense': 'Successfully created recurring expense',
+ 'Все расходы должны принадлежать одному к тому же к .',
+ 'app': 'Приложение',
+ 'for_best_performance':
+ 'Для лучшей производительности загрузите приложение :app',
+ 'gross_line_total': 'Gross Line Итого',
+ 'bulk_email_invoices': 'E-mail Счета',
+ 'bulk_email_quotes': 'Расценки E-mail',
+ 'bulk_email_credits': 'E-mail Кредиты',
+ 'from_name': 'От имени',
+ 'clone_to_expense': 'Клон к расходы',
+ 'recurring_expense': 'Повторяющийся расходы',
+ 'recurring_expenses': 'Повторяющийся расходы',
+ 'new_recurring_expense': 'Новые Повторяющийся расходы',
+ 'edit_recurring_expense': 'Редактировать Повторяющийся расходы',
+ 'created_recurring_expense': 'Успешно созданы Повторяющийся расходы',
'updated_recurring_expense': 'Повторяющаяся Затрата успешно обновлена',
- 'archived_recurring_expense': 'Successfully archived recurring expense',
- 'deleted_recurring_expense': 'Successfully deleted recurring expense',
- 'removed_recurring_expense': 'Successfully removed recurring expense',
- 'restored_recurring_expense': 'Successfully restored recurring expense',
- 'search_recurring_expense': 'Search Recurring Expense',
- 'search_recurring_expenses': 'Search Recurring Expenses',
- 'last_sent_date': 'Last Sent Date',
- 'include_drafts': 'Include Drafts',
- 'include_drafts_help': 'Include draft records in reports',
- 'is_invoiced': 'Is Invoiced',
- 'change_plan': 'Manage Plan',
- 'persist_data': 'Persist Data',
- 'customer_count': 'Customer Count',
- 'verify_customers': 'Verify Customers',
+ 'archived_recurring_expense':
+ 'Успешно архивированный Повторяющийся расходы',
+ 'deleted_recurring_expense': 'Успешно Удалён Повторяющийся расходы',
+ 'removed_recurring_expense': 'Успешно Повторяющийся расходы',
+ 'restored_recurring_expense':
+ 'Успешно Восстановлен Повторяющийся расходы',
+ 'search_recurring_expense': 'Поиск Повторяющийся расходы',
+ 'search_recurring_expenses': 'Поиск Повторяющийся расходы',
+ 'last_sent_date': 'Дата последней отправки',
+ 'include_drafts': 'Включить черновики',
+ 'include_drafts_help': 'Включать черновики записей в отчеты',
+ 'is_invoiced': 'Выставлен счет',
+ 'change_plan': 'Управлять планом',
+ 'persist_data': 'Сохранение данных',
+ 'customer_count': 'Количество клиентов',
+ 'verify_customers': 'Проверка клиентов',
'google_analytics': 'Google Analytics',
- 'google_analytics_tracking_id': 'Google Analytics Tracking ID',
- 'decimal_comma': 'Decimal Comma',
- 'use_comma_as_decimal_place': 'Use comma as decimal place in forms',
- 'select_method': 'Select Method',
- 'select_platform': 'Select Platform',
+ 'google_analytics_tracking_id':
+ 'Идентификатор отслеживания Google Analytics',
+ 'decimal_comma': 'Десятичная запятая',
+ 'use_comma_as_decimal_place':
+ 'Используйте запятую в качестве десятичного знака в формах',
+ 'select_method': 'Выберите метод',
+ 'select_platform': 'Выберите платформу',
'use_web_app_to_connect_gmail':
- 'Please use the web app to connect to Gmail',
- 'expense_tax_help': 'Item tax rates are disabled',
- 'enable_markdown': 'Enable Markdown',
- 'enable_markdown_help': 'Convert markdown to HTML on the PDF',
+ 'Пожалуйста, используйте веб-приложение к подключения к Gmail',
+ 'expense_tax_help': 'Ставки налога на товары отключены',
+ 'enable_markdown': 'Включить Markdown',
+ 'enable_markdown_help': 'Конвертировать markdown к HTML в PDF',
'user_guide': 'Руководство пользователя',
- 'add_second_contact': 'Add Second Contact',
- 'previous_page': 'Previous Page',
- 'next_page': 'Next Page',
- 'export_colors': 'Export Colors',
- 'import_colors': 'Import Colors',
- 'clear_all': 'Clear All',
- 'contrast': 'Contrast',
- 'custom_colors': 'Custom Colors',
- 'colors': 'Colors',
- 'sidebar_active_background_color': 'Sidebar Active Background Color',
- 'sidebar_active_font_color': 'Sidebar Active Font Color',
- 'sidebar_inactive_background_color': 'Sidebar Inactive Background Color',
- 'sidebar_inactive_font_color': 'Sidebar Inactive Font Color',
+ 'add_second_contact': 'Добавить второй контакт',
+ 'previous_page': 'Предыдущая страница',
+ 'next_page': 'Следующая страница',
+ 'export_colors': 'Экспорт цветов',
+ 'import_colors': 'Импорт цветов',
+ 'clear_all': 'Очистить все',
+ 'contrast': 'Контраст',
+ 'custom_colors': 'Custom цвета',
+ 'colors': 'Цвета',
+ 'sidebar_active_background_color': 'Цвет активного фона боковой панели',
+ 'sidebar_active_font_color': 'Цвет активного шрифта боковой панели',
+ 'sidebar_inactive_background_color':
+ 'Цвет фона неактивной боковой панели',
+ 'sidebar_inactive_font_color': 'Цвет шрифта неактивной боковой панели',
'table_alternate_row_background_color':
- 'Table Alternate Row Background Color',
- 'invoice_header_background_color': 'Invoice Header Background Color',
- 'invoice_header_font_color': 'Invoice Header Font Color',
- 'net_subtotal': 'Net',
- 'review_app': 'Review App',
- 'check_status': 'Check Status',
- 'free_trial': 'Free Trial',
+ 'Цвет фона альтернативной строки таблицы',
+ 'invoice_header_background_color': 'Цвет фона заголовка Счет',
+ 'invoice_header_font_color': 'Цвет шрифта заголовка Счет',
+ 'net_subtotal': 'Сеть',
+ 'review_app': 'Обзор приложения',
+ 'check_status': 'Проверить статус',
+ 'free_trial': 'Бесплатная пробная версия',
'free_trial_ends_in_days':
- 'The Pro plan trial ends in :count days, click to upgrade.',
+ 'Пробный период Pro-плана заканчивается через :count дней, нажмите к Обновить».',
'free_trial_ends_today':
- 'Today is the last day of the Pro plan trial, click to upgrade.',
- 'change_email': 'Change Email',
+ 'Сегодня последний день пробного периода Pro-плана, нажмите к Обновить».',
+ 'change_email': 'Изменить E-mail',
'client_portal_domain_hint':
- 'Optionally configure a separate client portal domain',
- 'tasks_shown_in_portal': 'Tasks Shown in Portal',
- 'uninvoiced': 'Uninvoiced',
+ 'При необходимости настройте отдельный домен клиента портала.',
+ 'tasks_shown_in_portal': 'Задачи, показанные на портале',
+ 'uninvoiced': 'Невыставленный счет',
'subdomain_guide':
- 'The subdomain is used in the client portal to personalize links to match your brand. ie, https://your-brand.invoicing.co',
- 'send_time': 'Send Time',
+ 'Субдомен используется на портале к лиента к персонализации ссылок к соответствии с вашим брендом. т. е. https://ваш бренд. Выставление счетов .co',
+ 'send_time': 'Время отправки',
'import_data': 'Импорт данных',
- 'import_settings': 'Import Settings',
- 'json_file_missing': 'Please provide the JSON file',
- 'json_option_missing': 'Please select to import the settings and/or data',
+ 'import_settings': 'Импорт Настройки',
+ 'json_file_missing': 'Пожалуйста, предоставьте файл JSON',
+ 'json_option_missing':
+ 'Пожалуйста, к импортировать Настройку к /или данные.',
'json': 'JSON',
- 'no_payment_types_enabled': 'No payment types enabled',
- 'wait_for_data': 'Please wait for the data to finish loading',
- 'net_total': 'Net Total',
- 'has_taxes': 'Has Taxes',
- 'import_customers': 'Import Customers',
- 'imported_customers': 'Successfully started importing customers',
- 'login_success': 'Successful Login',
- 'login_failure': 'Failed Login',
+ 'no_payment_types_enabled': 'Нет включенных типов Платеж',
+ 'wait_for_data': 'Пожалуйста, дождитесь к загрузки данных.',
+ 'net_total': 'Net Итого',
+ 'has_taxes': 'Имеет налоги',
+ 'import_customers': 'Импортные клиенты',
+ 'imported_customers': 'Успешно начал импорт клиентов',
+ 'login_success': 'Успешный вход',
+ 'login_failure': 'Неудачный вход',
'exported_data':
- 'Once the file is ready you\'ll receive an email with a download link',
- 'include_deleted_clients': 'Include Deleted Clients',
- 'include_deleted_clients_help':
- 'Load records belonging to deleted clients',
- 'step_1_sign_in': 'Step 1: Sign In',
- 'step_2_authorize': 'Step 2: Authorize',
- 'account_id': 'Account ID',
- 'migration_not_yet_completed': 'The migration has not yet completed',
- 'activity_100': ':user created recurring invoice :recurring_invoice',
- 'activity_101': ':user updated recurring invoice :recurring_invoice',
- 'activity_102': ':user archived recurring invoice :recurring_invoice',
- 'activity_103': ':user deleted recurring invoice :recurring_invoice',
- 'activity_104': ':user restored recurring invoice :recurring_invoice',
- 'show_task_end_date': 'Show Task End Date',
- 'show_task_end_date_help': 'Enable specifying the task end date',
- 'gateway_setup': 'Gateway Setup',
- 'preview_sidebar': 'Preview Sidebar',
- 'years_data_shown': 'Years Data Shown',
- 'ended_all_sessions': 'Successfully ended all sessions',
- 'end_all_sessions': 'End All Sessions',
- 'count_session': '1 Session',
- 'count_sessions': ':count Sessions',
- 'invoice_created': 'Invoice Created',
- 'quote_created': 'Quote Created',
- 'credit_created': 'Credit Created',
+ 'Как только файл будет готов, вы получите E-mail со ссылкой для скачивания.',
+ 'include_deleted_clients': 'Включить Удалён Клиенты',
+ 'include_deleted_clients_help': 'Загрузить записи, к Удалён Клиенты',
+ 'step_1_sign_in': 'Шаг 1: Войти',
+ 'step_2_authorize': 'Шаг 2: Авторизация',
+ 'account_id': 'Идентификатор учетной записи',
+ 'migration_not_yet_completed': 'миграцию еще не завершена',
+ 'activity_100': ':user созданы Повторяющийся Счет :recurring_invoice',
+ 'activity_101': ':user обновлен Повторяющийся Счет :recurring_invoice',
+ 'activity_102':
+ ':user архивированный Повторяющийся Счет :recurring_invoice',
+ 'activity_103': ':user Удалён Повторяющийся Счет :recurring_invoice',
+ 'activity_104':
+ ':user Восстановлен Повторяющийся Счет :recurring_invoice',
+ 'show_task_end_date': 'Показать дату окончания Задача',
+ 'show_task_end_date_help': 'Разрешить указывать дату окончания Задача',
+ 'gateway_setup': 'Настройка Шлюз',
+ 'preview_sidebar': 'Предварительный просмотр боковой панели',
+ 'years_data_shown': 'Годы, за которые показаны данные',
+ 'ended_all_sessions': 'Успешно завершились все сеансы',
+ 'end_all_sessions': 'Завершить все сеансы',
+ 'count_session': '1 сеанс',
+ 'count_sessions': ':count Сессии',
+ 'invoice_created': 'Счет созданы',
+ 'quote_created': 'созданы',
+ 'credit_created': 'созданы',
'pro': 'Pro',
- 'enterprise': 'Enterprise',
+ 'enterprise': 'Предприятие',
'last_updated': 'Последнее обновление',
- 'invoice_item': 'Invoice Item',
- 'quote_item': 'Quote Item',
- 'contact_first_name': 'Contact First Name',
- 'contact_last_name': 'Contact Last Name',
- 'order': 'Order',
- 'unassigned': 'Unassigned',
+ 'invoice_item': 'Счет товара',
+ 'quote_item': 'Цитата товара',
+ 'contact_first_name': 'контакт Имя',
+ 'contact_last_name': 'контакт Фамилия',
+ 'order': 'Заказ',
+ 'unassigned': 'Неназначенный',
'partial_value': 'Должно быть больше нуля и меньше, чем всего',
- 'search_kanban': 'Search Kanban',
- 'search_kanbans': 'Search Kanban',
+ 'search_kanban': 'Поиск Канбан',
+ 'search_kanbans': 'Поиск Канбан',
'kanban': 'Kanban',
'enable': 'Включить',
- 'move_top': 'Move Top',
- 'move_up': 'Move Up',
- 'move_down': 'Move Down',
- 'move_bottom': 'Move Bottom',
+ 'move_top': 'Переместить вверх',
+ 'move_up': 'Двигаться вверх',
+ 'move_down': 'Переместить вниз',
+ 'move_bottom': 'Переместить вниз',
'subdomain_help':
- 'Set the subdomain or display the invoice on your own website.',
+ 'Установите поддомен или отобразите Счет на своем собственном сайте.',
'body_variable_missing':
- 'Error: the custom email must include a :body variable',
- 'add_body_variable_message': 'Make sure to include a :body variable',
- 'view_date_formats': 'View Date Formats',
- 'is_viewed': 'Is Viewed',
- 'letter': 'Letter',
- 'legal': 'Legal',
- 'page_layout': 'Page Layout',
- 'portrait': 'Portrait',
- 'landscape': 'Landscape',
+ 'Ошибка: Custom E-mail должен включать переменную :body',
+ 'add_body_variable_message': 'Убедитесь, что к включает переменную :body',
+ 'view_date_formats': 'Форматы дат Смотреть',
+ 'is_viewed': 'Просмотрено',
+ 'letter': 'Письмо',
+ 'legal': 'Юридический',
+ 'page_layout': 'Макет страницы',
+ 'portrait': 'Портрет',
+ 'landscape': 'Пейзаж',
'owner_upgrade_to_paid_plan':
- 'The account owner can upgrade to a paid plan to enable the advanced advanced settings',
+ 'Владелец аккаунта может перейти к платный план к включить расширенную Настрой к и',
'upgrade_to_paid_plan':
- 'Upgrade to a paid plan to enable the advanced settings',
- 'invoice_payment_terms': 'Invoice Payment Terms',
- 'quote_valid_until': 'Quote Valid Until',
- 'no_headers': 'No Headers',
- 'add_header': 'Add Header',
- 'remove_header': 'Remove Header',
- 'return_url': 'Return URL',
- 'rest_method': 'REST Method',
- 'header_key': 'Header Key',
- 'header_value': 'Header Value',
- 'recurring_products': 'Recurring Products',
- 'promo_code': 'Promo code',
- 'promo_discount': 'Promo Discount',
- 'allow_cancellation': 'Allow Cancellation',
- 'per_seat_enabled': 'Per Seat Enabled',
- 'max_seats_limit': 'Max Seats Limit',
- 'trial_enabled': 'Trial Enabled',
- 'trial_duration': 'Trial Duration',
- 'allow_query_overrides': 'Allow Query Overrides',
- 'allow_plan_changes': 'Allow Plan Changes',
- 'plan_map': 'Plan Map',
- 'refund_period': 'Refund Period',
- 'webhook_configuration': 'Webhook Configuration',
- 'purchase_page': 'Purchase Page',
- 'security': 'Security',
- 'email_bounced': 'Email Bounced',
- 'email_spam_complaint': 'Spam Complaint',
- 'email_delivery': 'Email Delivery',
- 'webhook_response': 'Webhook Response',
- 'pdf_response': 'PDF Response',
- 'authentication_failure': 'Authentication Failure',
- 'pdf_failed': 'PDF Failed',
- 'pdf_success': 'PDF Success',
- 'modified': 'Modified',
- 'payment_link': 'Payment Link',
- 'new_payment_link': 'New Payment Link',
- 'edit_payment_link': 'Edit Payment Link',
- 'created_payment_link': 'Successfully created payment link',
- 'updated_payment_link': 'Successfully updated payment link',
- 'archived_payment_link': 'Successfully archived payment link',
- 'deleted_payment_link': 'Successfully deleted payment link',
- 'removed_payment_link': 'Successfully removed payment link',
- 'restored_payment_link': 'Successfully restored payment link',
- 'search_payment_link': 'Search 1 Payment Link',
- 'search_payment_links': 'Search :count Payment Links',
- 'subdomain_is_not_available': 'Subdomain is not available',
- 'connect_gmail': 'Connect Gmail',
- 'disconnect_gmail': 'Disconnect Gmail',
- 'connected_gmail': 'Successfully connected Gmail',
- 'disconnected_gmail': 'Successfully disconnected Gmail',
+ 'Перейдите к платный план к включить расширенные возможности Настрой к и',
+ 'invoice_payment_terms': 'Счет Платеж Условия',
+ 'quote_valid_until': 'Цитата действительна до',
+ 'no_headers': 'Нет заголовков',
+ 'add_header': 'Добавить заголовок',
+ 'remove_header': 'Удалить заголовок',
+ 'return_url': 'Возврат URL-адреса',
+ 'rest_method': 'Метод REST',
+ 'header_key': 'Ключ заголовка',
+ 'header_value': 'Значение заголовка',
+ 'recurring_products': 'Повторяющийся продукция',
+ 'promo_code': 'Промо-код',
+ 'promo_discount': 'Промо-скидка',
+ 'allow_cancellation': 'Разрешить отмену',
+ 'per_seat_enabled': 'Включено на место',
+ 'max_seats_limit': 'Максимальное количество мест',
+ 'trial_enabled': 'Пробная версия включена',
+ 'trial_duration': 'Продолжительность пробного периода',
+ 'allow_query_overrides': 'Разрешить переопределение запросов',
+ 'allow_plan_changes': 'Разрешить изменение плана',
+ 'plan_map': 'План Карта',
+ 'refund_period': 'Период возврата',
+ 'webhook_configuration': 'Конфигурация веб-перехватчика',
+ 'purchase_page': 'Страница покупки',
+ 'security': 'Безопасность',
+ 'email_bounced': 'E-mail возвращено',
+ 'email_spam_complaint': 'Жалоба на спам',
+ 'email_delivery': 'Доставка E-mail',
+ 'webhook_response': 'Ответ веб-хука',
+ 'pdf_response': 'Ответ PDF',
+ 'authentication_failure': 'Ошибка аутентификации',
+ 'pdf_failed': 'PDF не удалось',
+ 'pdf_success': 'PDF успех',
+ 'modified': 'Измененный',
+ 'payment_link': 'Платеж Ссылка',
+ 'new_payment_link': 'Новая Платеж Ссылка',
+ 'edit_payment_link': 'Редактировать Платеж Ссылка',
+ 'created_payment_link': 'Успешно созданы Платеж ссылка',
+ 'updated_payment_link': 'Успешно обновил ссылку Платеж',
+ 'archived_payment_link': 'Успешно архивированный Платеж ссылка',
+ 'deleted_payment_link': 'Успешно Удалён Платеж ссылка',
+ 'removed_payment_link': 'Успешно удалил ссылку Платеж',
+ 'restored_payment_link': 'Успешно Восстановлен Платеж ссылка',
+ 'search_payment_link': 'Поиск 1 Платеж Ссылка',
+ 'search_payment_links': 'Поиск :count Платеж Ссылки',
+ 'subdomain_is_not_available': 'Субдомен недоступен',
+ 'connect_gmail': 'Подключить Gmail',
+ 'disconnect_gmail': 'Отключить Gmail',
+ 'connected_gmail': 'Успешно подключили Gmail',
+ 'disconnected_gmail': 'Успешно отключил Gmail',
'update_fail_help':
- 'Changes to the codebase may be blocking the update, you can run this command to discard the changes:',
- 'client_id_number': 'Client ID Number',
- 'count_minutes': ':count Minutes',
- 'password_timeout': 'Password Timeout',
- 'shared_invoice_credit_counter': 'Share Invoice/Credit Counter',
- 'use_last_email': 'Use last email',
- 'activate_company': 'Activate Company',
+ 'Изменения к кодовой базе могут блокировать обновление, вы можете выполнить эту команду к отмены изменений:',
+ 'client_id_number': 'Номер идентификатора Клиент',
+ 'count_minutes': ':count минут',
+ 'password_timeout': 'Время ожидания пароля',
+ 'shared_invoice_credit_counter': 'Поделиться Счет /Кредитный счетчик',
+ 'use_last_email': 'Использовать последний E-mail',
+ 'activate_company': 'Активировать компанию',
'activate_company_help':
- 'Enable emails, recurring invoices and notifications',
- 'an_error_occurred_try_again': 'An error occurred, please try again',
- 'please_first_set_a_password': 'Please first set a password',
+ 'Включить электронную почту, Повторяющийся Счета и уведомления',
+ 'an_error_occurred_try_again': 'Произошла ошибка, попробуйте еще раз.',
+ 'please_first_set_a_password': 'Пожалуйста, сначала установите пароль.',
'changing_phone_disables_two_factor':
- 'Warning: Changing your phone number will disable 2FA',
- 'help_translate': 'Help Translate',
- 'please_select_a_country': 'Please select a country',
+ 'Предупреждение: изменение вашего Телефон номера приведет к отключению 2FA.',
+ 'help_translate': 'Помогите перевести',
+ 'please_select_a_country': 'Пожалуйста, выберите страну',
'resend_invite': 'Послать приглашение еще раз',
- 'disabled_two_factor': 'Successfully disabled 2FA',
- 'connected_google': 'Successfully connected account',
- 'disconnected_google': 'Successfully disconnected account',
- 'delivered': 'Delivered',
- 'bounced': 'Bounced',
- 'spam': 'Spam',
- 'view_docs': 'View Docs',
+ 'disabled_two_factor': 'Успешно отключен 2FA',
+ 'connected_google': 'Успешно подключен аккаунт',
+ 'disconnected_google': 'Успешно отключили аккаунт',
+ 'delivered': 'Доставленный',
+ 'bounced': 'Отскочил',
+ 'spam': 'Спам',
+ 'view_docs': 'Смотреть Документы',
'enter_phone_to_enable_two_factor':
- 'Please provide a mobile phone number to enable two factor authentication',
- 'send_sms': 'Send SMS',
- 'sms_code': 'SMS Code',
- 'two_factor_setup_help': 'Scan the bar code with a :link compatible app.',
- 'enabled_two_factor': 'Successfully enabled Two-Factor Authentication',
- 'connect_google': 'Connect Google',
- 'disconnect_google': 'Disconnect Google',
- 'enable_two_factor': 'Two-Factor Authentication',
- 'disable_two_factor': 'Disable Two Factor',
+ 'Пожалуйста, укажите номер мобильного Телефон к включения двухфакторной аутентификации',
+ 'send_sms': 'Отправить СМС',
+ 'sms_code': 'СМС-код',
+ 'two_factor_setup_help':
+ 'Отсканируйте штрих-код с помощью приложения, совместимого с :link .',
+ 'enabled_two_factor': 'Успешно включил двухфакторную аутентификацию',
+ 'connect_google': 'Подключите Google',
+ 'disconnect_google': 'Отключить Google',
+ 'enable_two_factor': 'Двухфакторная аутентификация',
+ 'disable_two_factor': 'Отключить двухфакторную аутентификацию',
'require_password_with_social_login':
- 'Require Password with Social Login',
- 'stay_logged_in': 'Stay Logged In',
- 'session_about_to_expire': 'Warning: Your session is about to expire',
- 'count_hours': ':count Hours',
- 'count_day': '1 Day',
- 'count_days': ':count Days',
- 'web_session_timeout': 'Web Session Timeout',
- 'security_settings': 'Security Settings',
- 'resend_email': 'Resend Email',
- 'confirm_your_email_address': 'Please confirm your email address',
- 'refunded_payment': 'Refunded Payment',
- 'partially_unapplied': 'Partially Unapplied',
- 'select_a_gmail_user': 'Please select a user authenticated with Gmail',
- 'list_long_press': 'List Long Press',
- 'show_actions': 'Show Actions',
- 'start_multiselect': 'Start Multiselect',
+ 'Требовать пароль при входе через социальную сеть',
+ 'stay_logged_in': 'Оставайтесь в системе',
+ 'session_about_to_expire': 'Внимание: Ваш сеанс к истечет',
+ 'count_hours': ':count Часы',
+ 'count_day': '1 день',
+ 'count_days': ':count Дней',
+ 'web_session_timeout': 'Время ожидания веб-сеанса',
+ 'security_settings': 'Безопасность Настройки',
+ 'resend_email': 'Повторно отправить E-mail',
+ 'confirm_your_email_address': 'Пожалуйста, подтвердите свой адрес E-mail',
+ 'refunded_payment': 'Возврат Платеж',
+ 'partially_unapplied': 'Частично не применяется',
+ 'select_a_gmail_user':
+ 'Пожалуйста, выберите Пользователь аутентифицированного с помощью Gmail.',
+ 'list_long_press': 'Список Длительное нажатие',
+ 'show_actions': 'Показать действия',
+ 'start_multiselect': 'Начать Multiselect',
'email_sent_to_confirm_email':
- 'An email has been sent to confirm the email address',
+ 'E-mail было отправлено к Подтвердите адрес E-mail',
'counter_pattern_error':
- 'To use :client_counter please add either :client_number or :client_id_number to prevent conflicts',
- 'this_quarter': 'This Quarter',
- 'last_quarter': 'Last Quarter',
- 'to_update_run': 'To update run',
+ 'к используйте :client _counter пожалуйста Добавить либо :client _number либо :client _id_number к предотвращайте конфликты',
+ 'this_quarter': 'В этом квартале',
+ 'last_quarter': 'Последняя четверть',
+ 'to_update_run': 'к обновление запустить',
'convert_to_invoice': 'Конвертировать в счёт',
- 'registration_url': 'Registration URL',
- 'invoice_project': 'Invoice Project',
+ 'registration_url': 'URL-адрес регистрации',
+ 'invoice_project': 'Счет проекта',
'invoice_task': 'Включить в счет',
- 'invoice_expense': 'Invoice Expense',
- 'search_payment_term': 'Search 1 Payment Term',
- 'search_payment_terms': 'Search :count Payment Terms',
- 'save_and_preview': 'Save and Preview',
- 'save_and_email': 'Save and Email',
- 'supported_events': 'Supported Events',
- 'converted_amount': 'Converted Amount',
- 'converted_balance': 'Converted Balance',
- 'converted_paid_to_date': 'Converted Paid to Date',
- 'converted_credit_balance': 'Converted Credit Balance',
- 'converted_total': 'Converted Total',
- 'is_sent': 'Is Sent',
+ 'invoice_expense': 'Счет расходы',
+ 'search_payment_term': 'Поиск 1 Платеж Термин',
+ 'search_payment_terms': 'Поиск :count Условия Платеж',
+ 'save_and_preview': 'Сохранить и просмотреть',
+ 'save_and_email': 'Сохранить и E-mail',
+ 'supported_events': 'Поддерживаемые события',
+ 'converted_amount': 'Конвертированная Сумма',
+ 'converted_balance': 'Конвертированный баланс',
+ 'converted_paid_to_date': 'Конвертировано Оплачено к Дата',
+ 'converted_credit_balance': 'Конвертированный кредитный баланс',
+ 'converted_total': 'Преобразованный Итого',
+ 'is_sent': 'Отправлено',
'default_documents': 'Документы по умолчанию',
- 'document_upload': 'Document Upload',
- 'document_upload_help': 'Enable clients to upload documents',
- 'expense_total': 'Expense Total',
- 'enter_taxes': 'Enter Taxes',
- 'by_rate': 'By Rate',
- 'by_amount': 'By Amount',
- 'enter_amount': 'Enter Amount',
- 'before_taxes': 'Before Taxes',
- 'after_taxes': 'After Taxes',
- 'color': 'Color',
- 'show': 'Show',
+ 'document_upload': 'Загрузка документа',
+ 'document_upload_help': 'Включить Клиенты к загрузки документов',
+ 'expense_total': 'расходы Итого',
+ 'enter_taxes': 'Ввод Налоги',
+ 'by_rate': 'По ставке',
+ 'by_amount': 'По Сумма',
+ 'enter_amount': 'Сумма Ввод',
+ 'before_taxes': 'До уплаты налогов',
+ 'after_taxes': 'После уплаты налогов',
+ 'color': 'Цвет',
+ 'show': 'Показывать',
'hide': 'Скрыть',
- 'empty_columns': 'Empty Columns',
- 'debug_mode_is_enabled': 'Debug mode is enabled',
+ 'empty_columns': 'Пустые столбцы',
+ 'debug_mode_is_enabled': 'Режим отладки включен',
'debug_mode_is_enabled_help':
- 'Warning: it is intended for use on local machines, it can leak credentials. Click to learn more.',
- 'running_tasks': 'Running Tasks',
- 'recent_tasks': 'Recent Tasks',
- 'recent_expenses': 'Recent Expenses',
- 'upcoming_expenses': 'Upcoming Expenses',
- 'update_app': 'Update App',
- 'started_import': 'Successfully started import',
- 'duplicate_column_mapping': 'Duplicate column mapping',
- 'uses_inclusive_taxes': 'Uses Inclusive Taxes',
- 'is_amount_discount': 'Is Amount Discount',
+ 'Предупреждение: он предназначен для использования на локальных машинах, он может привести к утечке учетных данных. Нажмите к узнать больше.',
+ 'running_tasks': 'Выполнение задач',
+ 'recent_tasks': 'Недавние задачи',
+ 'recent_expenses': 'Недавние расходы',
+ 'upcoming_expenses': 'Предстоящие расходы',
+ 'update_app': 'Обновить приложение',
+ 'started_import': 'Успешно начал импорт',
+ 'duplicate_column_mapping': 'Дублирование сопоставления столбцов',
+ 'uses_inclusive_taxes': 'Использует инклюзивные налоги',
+ 'is_amount_discount': 'Сумма скидки',
'column': 'Столбец',
'sample': 'Пример',
- 'map_to': 'Map To',
+ 'map_to': 'Карта к',
'import': 'Импорт',
- 'first_row_as_column_names': 'Use first row as column names',
+ 'first_row_as_column_names':
+ 'Использовать первую строку в качестве названий столбцов',
'select_file': 'Укажите файл',
- 'no_file_selected': 'No File Selected',
+ 'no_file_selected': 'Файл не выбран',
'csv_file': 'CSV-файл',
'csv': 'CSV',
'freshbooks': 'FreshBooks',
'invoice2go': 'Invoice2go',
- 'invoicely': 'Invoicely',
- 'waveaccounting': 'Wave Accounting',
- 'zoho': 'Zoho',
- 'accounting': 'Accounting',
- 'required_files_missing': 'Please provide all CSVs.',
- 'import_type': 'Import Type',
- 'html_mode': 'HTML Mode',
- 'html_mode_help': 'Preview updates faster but is less accurate',
- 'view_licenses': 'View Licenses',
- 'webhook_url': 'Webhook URL',
- 'fullscreen_editor': 'Fullscreen Editor',
- 'sidebar_editor': 'Sidebar Editor',
- 'please_type_to_confirm': 'Please type \':value\' to confirm',
- 'purge': 'Purge',
- 'service': 'Услуга',
- 'clone_to': 'Clone To',
- 'clone_to_other': 'Clone to Other',
- 'labels': 'Labels',
- 'add_custom': 'Add Custom',
- 'payment_tax': 'Payment Tax',
- 'unpaid': 'Неоплачено',
- 'white_label': 'White Label',
- 'delivery_note': 'Delivery Note',
- 'sent_invoices_are_locked': 'Sent invoices are locked',
- 'paid_invoices_are_locked': 'Paid invoices are locked',
- 'source_code': 'Source Code',
- 'app_platforms': 'App Platforms',
- 'invoice_late': 'Invoice Late',
- 'quote_expired': 'Quote Expired',
- 'partial_due': 'Partial Due',
- 'invoice_total': 'Итого счёта',
- 'quote_total': 'Всего',
- 'credit_total': 'Credit Total',
- 'recurring_invoice_total': 'Invoice Total',
- 'actions': 'Actions',
- 'expense_number': 'Expense Number',
- 'task_number': 'Task Number',
- 'project_number': 'Project Number',
- 'project_name': 'Project Name',
- 'warning': 'Warning',
- 'view_settings': 'View Settings',
- 'company_disabled_warning':
- 'Warning: this company has not yet been activated',
- 'late_invoice': 'Late Invoice',
- 'expired_quote': 'Expired Quote',
- 'remind_invoice': 'Remind Invoice',
- 'cvv': 'CVV',
- 'client_name': 'Имя клиента',
- 'client_phone': 'Client Phone',
- 'required_fields': 'Required Fields',
- 'calculated_rate': 'Calculated Rate',
- 'default_task_rate': 'Default Task Rate',
- 'clear_cache': 'Clear Cache',
- 'sort_order': 'Sort Order',
- 'task_status': 'Status',
- 'task_statuses': 'Task Statuses',
- 'new_task_status': 'New Task Status',
- 'edit_task_status': 'Edit Task Status',
- 'created_task_status': 'Successfully created task status',
- 'updated_task_status': 'Successfully update task status',
- 'archived_task_status': 'Successfully archived task status',
- 'deleted_task_status': 'Successfully deleted task status',
- 'removed_task_status': 'Successfully removed task status',
- 'restored_task_status': 'Successfully restored task status',
- 'archived_task_statuses': 'Successfully archived :value task statuses',
- 'deleted_task_statuses': 'Successfully deleted :value task statuses',
- 'restored_task_statuses': 'Successfully restored :value task statuses',
- 'search_task_status': 'Search 1 Task Status',
- 'search_task_statuses': 'Search :count Task Statuses',
- 'show_tasks_table': 'Show Tasks Table',
- 'show_tasks_table_help':
- 'Always show the tasks section when creating invoices',
- 'invoice_task_timelog': 'Invoice Task Timelog',
- 'invoice_task_timelog_help': 'Add time details to the invoice line items',
- 'invoice_task_datelog': 'Invoice Task Datelog',
- 'invoice_task_datelog_help': 'Add date details to the invoice line items',
- 'auto_start_tasks_help': 'Start tasks before saving',
- 'configure_statuses': 'Configure Statuses',
- 'task_settings': 'Task Settings',
- 'configure_categories': 'Configure Categories',
- 'expense_categories': 'Категория Затрат',
- 'new_expense_category': 'New Expense Category',
- 'edit_expense_category': 'Edit Expense Category',
- 'created_expense_category': 'Successfully created expense category',
- 'updated_expense_category': 'Категория Затрат успешно обновлена',
- 'archived_expense_category': 'Successfully archived expense category',
- 'deleted_expense_category': 'Successfully deleted category',
- 'removed_expense_category': 'Successfully removed expense category',
- 'restored_expense_category': 'Successfully restored expense category',
- 'archived_expense_categories':
- 'Successfully archived :count expense category',
- 'deleted_expense_categories':
- 'Successfully deleted expense :value categories',
- 'restored_expense_categories':
- 'Successfully restored expense :value categories',
- 'search_expense_category': 'Search 1 Expense Category',
- 'search_expense_categories': 'Search :count Expense Categories',
- 'use_available_credits': 'Use Available Credits',
- 'show_option': 'Show Option',
- 'negative_payment_error':
- 'The credit amount cannot exceed the payment amount',
- 'view_changes': 'View Changes',
- 'force_update': 'Force Update',
- 'force_update_help':
- 'You are running the latest version but there may be pending fixes available.',
- 'mark_paid_help': 'Track the expense has been paid',
- 'should_be_invoiced': 'Should be invoiced',
- 'should_be_invoiced_help': 'Enable the expense to be invoiced',
- 'add_documents_to_invoice_help': 'Make the documents visible to client',
- 'convert_currency_help': 'Set an exchange rate',
- 'expense_settings': 'Expense Settings',
- 'clone_to_recurring': 'Clone to Recurring',
- 'crypto': 'Crypto',
- 'paypal': 'PayPal',
- 'alipay': 'Alipay',
- 'sofort': 'Sofort',
- 'apple_pay': 'Apple/Google Pay',
- 'user_field': 'User Field',
- 'variables': 'Variables',
- 'show_password': 'Show Password',
- 'hide_password': 'Hide Password',
- 'copy_error': 'Copy Error',
- 'capture_card': 'Capture Card',
- 'auto_bill_enabled': 'Auto Bill Enabled',
- 'total_taxes': 'Total Taxes',
- 'line_taxes': 'Line Taxes',
- 'total_fields': 'Total Fields',
- 'stopped_recurring_invoice': 'Successfully stopped recurring invoice',
- 'started_recurring_invoice': 'Successfully started recurring invoice',
- 'resumed_recurring_invoice': 'Successfully resumed recurring invoice',
- 'gateway_refund': 'Gateway Refund',
- 'gateway_refund_help': 'Process the refund with the payment gateway',
- 'due_date_days': 'Due Date',
- 'paused': 'Paused',
- 'mark_active': 'Mark Active',
- 'day_count': 'Day :count',
- 'first_day_of_the_month': 'First Day of the Month',
- 'last_day_of_the_month': 'Last Day of the Month',
- 'use_payment_terms': 'Use Payment Terms',
- 'endless': 'Endless',
- 'next_send_date': 'Next Send Date',
- 'remaining_cycles': 'Remaining Cycles',
+ 'invoicely': 'Счетно-фактурно',
+ 'waveaccounting': 'Волновой учет',
+ 'zoho': 'Зохо',
+ 'accounting': 'Бухгалтерский учет',
+ 'required_files_missing': 'Пожалуйста, предоставьте все CSV-файлы.',
+ 'import_type': 'Тип импорта',
+ 'html_mode': 'HTML-режим',
+ 'html_mode_help':
+ 'Предварительный просмотр обновляется быстрее, но менее точен',
+ 'view_licenses': 'Смотреть лицензии',
+ 'webhook_url': 'URL-адрес веб-перехватчика',
+ 'fullscreen_editor': 'Полноэкранный редактор',
+ 'sidebar_editor': 'Редактор боковой панели',
+ 'please_type_to_confirm':
+ 'Пожалуйста, введите " :value " к подтверждения',
+ 'purge': 'Удалять',
+ 'service': 'Услуга',
+ 'clone_to': 'Клон к',
+ 'clone_to_other': 'Клон к Другое',
+ 'labels': 'Этикетки',
+ 'add_custom': 'Добавить Custom',
+ 'payment_tax': 'Платеж Tax',
+ 'unpaid': 'Неоплачено',
+ 'white_label': 'Белая этикетка',
+ 'delivery_note': 'Доставка Примечание',
+ 'sent_invoices_are_locked': 'Отправленные Счета заблокированы',
+ 'paid_invoices_are_locked': 'Платные Счета заблокированы',
+ 'source_code': 'Исходный код',
+ 'app_platforms': 'Платформы приложений',
+ 'invoice_late': 'Счет Late',
+ 'quote_expired': 'Срок действия цитаты истек',
+ 'partial_due': 'Частичная оплата',
+ 'invoice_total': 'Итого счёта',
+ 'quote_total': 'Всего',
+ 'credit_total': 'Кредит Итого',
+ 'recurring_invoice_total': 'Счет Итого',
+ 'actions': 'Действия',
+ 'expense_number': 'расходы Номер',
+ 'task_number': 'Номер Задача',
+ 'project_number': 'Номер проекта',
+ 'project_name': 'Название проекта',
+ 'warning': 'Предупреждение',
+ 'view_settings': 'Смотреть Настройки',
+ 'company_disabled_warning': 'Внимание: эта компания еще не активирована',
+ 'late_invoice': 'Поздний Счет',
+ 'expired_quote': 'Срок действия истек',
+ 'remind_invoice': 'Напомнить Счет',
+ 'cvv': 'CVV',
+ 'client_name': 'Имя клиента',
+ 'client_phone': 'Клиент Телефон',
+ 'required_fields': 'Обязательные поля',
+ 'calculated_rate': 'Расчетная ставка',
+ 'default_task_rate': 'Задача по умолчанию',
+ 'clear_cache': 'Очистить кэш',
+ 'sort_order': 'Сортировать порядок',
+ 'task_status': 'Статус',
+ 'task_statuses': 'Статусы Задача',
+ 'new_task_status': 'Статус новой Задача',
+ 'edit_task_status': 'Редактировать Статус Задача',
+ 'created_task_status': 'Успешно созданы Статус Задача',
+ 'updated_task_status': 'Успешно обновить статус Задача',
+ 'archived_task_status': 'Успешно архивированный Задача',
+ 'deleted_task_status': 'Успешно Удалён Задача',
+ 'removed_task_status': 'Успешно статус Задача',
+ 'restored_task_status': 'Успешно Восстановлен Статус Задача',
+ 'archived_task_statuses': 'Успешно архивированный :value Статусы Задача',
+ 'deleted_task_statuses': 'Успешно Удалён :value Статусы Задача',
+ 'restored_task_statuses': 'Успешно Восстановлен :value Статусы Задача',
+ 'search_task_status': 'Поиск 1 Задача Статус',
+ 'search_task_statuses': 'Поиск :count Статусы Задача',
+ 'show_tasks_table': 'Показать таблицу задач',
+ 'show_tasks_table_help':
+ 'Всегда показывать раздел задач при создании Счета',
+ 'invoice_task_timelog': 'Счет Задача Timelog',
+ 'invoice_task_timelog_help': 'Добавить время детали к позициям Счет',
+ 'invoice_task_datelog': 'Счет Задача Datelog',
+ 'invoice_task_datelog_help': 'Добавить дату детали к позициям Счет',
+ 'auto_start_tasks_help': 'Начать задачи перед сохранением',
+ 'configure_statuses': 'Настроить статусы',
+ 'task_settings': 'Задача Настройки',
+ 'configure_categories': 'Настроить категории',
+ 'expense_categories': 'Категория Затрат',
+ 'new_expense_category': 'Новые расходы Категория',
+ 'edit_expense_category': 'Редактировать категорию расходы',
+ 'created_expense_category': 'Успешно созданы расходы',
+ 'updated_expense_category': 'Категория Затрат успешно обновлена',
+ 'archived_expense_category':
+ 'Категория « Успешно архивированный расходы »',
+ 'deleted_expense_category': 'Успешно Удалён категория',
+ 'removed_expense_category': 'Успешно удалена категория расходы',
+ 'restored_expense_category': 'Категория Успешно Восстановлен расходы',
+ 'archived_expense_categories':
+ 'Успешно архивированный :count категория расходы',
+ 'deleted_expense_categories': 'Успешно Удалён расходы :value категории',
+ 'restored_expense_categories':
+ 'Успешно Восстановлен расходы :value категории',
+ 'search_expense_category': 'Поиск по 1 категории расходы',
+ 'search_expense_categories': 'Поиск :count категории расходы',
+ 'use_available_credits': 'Используйте доступные кредиты',
+ 'show_option': 'Показать вариант',
+ 'negative_payment_error':
+ 'Сумма кредита не может превышать Сумма Платеж .',
+ 'view_changes': 'Смотреть изменения',
+ 'force_update': 'Принудительное обновление',
+ 'force_update_help':
+ 'Вы используете последнюю версию, но могут быть доступны невыполненные исправления.',
+ 'mark_paid_help': 'Отслеживать оплаченные расходы',
+ 'should_be_invoiced': 'Должен быть выставлен счет',
+ 'should_be_invoiced_help': 'Включить выставление счетов к расходы',
+ 'add_documents_to_invoice_help': 'Сделайте документы видимыми к клиенту',
+ 'convert_currency_help': 'Установить обменный курс',
+ 'expense_settings': 'расходы Настройки',
+ 'clone_to_recurring': 'Клон к Повторяющийся',
+ 'crypto': 'Крипто',
+ 'paypal': 'PayPal',
+ 'alipay': 'Alipay',
+ 'sofort': 'Sofort',
+ 'apple_pay': 'Apple/Google Pay',
+ 'user_field': 'Поле Пользователь',
+ 'variables': 'Переменные',
+ 'show_password': 'Показать пароль',
+ 'hide_password': 'Скрыть пароль',
+ 'copy_error': 'Ошибка копирования',
+ 'capture_card': 'Карта захвата',
+ 'auto_bill_enabled': 'Автоматический счет включен',
+ 'total_taxes': 'Итого Налоги',
+ 'line_taxes': 'Линейные налоги',
+ 'total_fields': 'Итого Поля',
+ 'stopped_recurring_invoice': 'Успешно остановлен Повторяющийся Счет',
+ 'started_recurring_invoice': 'Успешно начался Повторяющийся Счет',
+ 'resumed_recurring_invoice': 'Успешно возобновилась Повторяющийся Счет',
+ 'gateway_refund': 'Шлюз Возврат',
+ 'gateway_refund_help':
+ 'Оформите возврат средств с помощью Платежный Шлюз',
+ 'due_date_days': 'Срок оплаты',
+ 'paused': 'Приостановлено',
+ 'mark_active': 'Отметить как активный',
+ 'day_count': 'День :count',
+ 'first_day_of_the_month': 'Первый день месяца',
+ 'last_day_of_the_month': 'Последний день месяца',
+ 'use_payment_terms': 'Использовать Условия Платеж',
+ 'endless': 'Бесконечный',
+ 'next_send_date': 'Следующая дата отправки',
+ 'remaining_cycles': 'Оставшиеся циклы',
'recurring_invoice': 'Повторяющийся счет',
'recurring_invoices': 'Повторяющиеся счета',
'new_recurring_invoice': 'Создать повторяющийся счет',
- 'edit_recurring_invoice': 'Edit Recurring Invoice',
- 'created_recurring_invoice': 'Successfully created recurring invoice',
- 'updated_recurring_invoice': 'Successfully updated recurring invoice',
- 'archived_recurring_invoice': 'Successfully archived recurring invoice',
- 'deleted_recurring_invoice': 'Successfully deleted recurring invoice',
- 'removed_recurring_invoice': 'Successfully removed recurring invoice',
- 'restored_recurring_invoice': 'Successfully restored recurring invoice',
+ 'edit_recurring_invoice': 'Редактировать Повторяющийся Счет',
+ 'created_recurring_invoice': 'Успешно созданы Повторяющийся Счет',
+ 'updated_recurring_invoice': 'Успешно обновлен Повторяющийся Счет',
+ 'archived_recurring_invoice': 'Успешно архивированный Повторяющийся Счет',
+ 'deleted_recurring_invoice': 'Успешно Удалён Повторяющийся Счет',
+ 'removed_recurring_invoice': 'Успешно Повторяющийся Счет',
+ 'restored_recurring_invoice': 'Успешно Восстановлен Повторяющийся Счет',
'archived_recurring_invoices':
- 'Successfully archived recurring :value invoices',
- 'deleted_recurring_invoices':
- 'Successfully deleted recurring :value invoices',
+ 'Успешно архивированный Повторяющийся :value Счета',
+ 'deleted_recurring_invoices': 'Успешно Удалён Повторяющийся :value Счета',
'restored_recurring_invoices':
- 'Successfully restored recurring :value invoices',
- 'search_recurring_invoice': 'Search 1 Recurring Invoice',
- 'search_recurring_invoices': 'Search :count Recurring Invoices',
- 'send_date': 'Send Date',
- 'auto_bill_on': 'Auto Bill On',
- 'minimum_under_payment_amount': 'Minimum Under Payment Amount',
- 'profit': 'Profit',
- 'line_item': 'Line Item',
- 'allow_over_payment': 'Allow Overpayment',
- 'allow_over_payment_help': 'Support paying extra to accept tips',
- 'allow_under_payment': 'Allow Underpayment',
+ 'Успешно Восстановлен Повторяющийся :value Счета',
+ 'search_recurring_invoice': 'Поиск 1 Повторяющийся Счет',
+ 'search_recurring_invoices': 'Поиск :count Повторяющийся Счета',
+ 'send_date': 'Дата отправки',
+ 'auto_bill_on': 'Автоматический счет включен',
+ 'minimum_under_payment_amount': 'Минимальная Сумма ниже Платеж',
+ 'profit': 'Выгода',
+ 'line_item': 'Позиция позиции',
+ 'allow_over_payment': 'Разрешить переплату',
+ 'allow_over_payment_help':
+ 'Поддержка оплаты дополнительных к прием чаевых',
+ 'allow_under_payment': 'Разрешить недоплату',
'allow_under_payment_help':
- 'Support paying at minimum the partial/deposit amount',
- 'test_mode': 'Test Mode',
- 'opened': 'Opened',
- 'payment_reconciliation_failure': 'Reconciliation Failure',
- 'payment_reconciliation_success': 'Reconciliation Success',
- 'gateway_success': 'Gateway Success',
- 'gateway_failure': 'Gateway Failure',
- 'gateway_error': 'Gateway Error',
- 'email_send': 'Email Send',
- 'email_retry_queue': 'Email Retry Queue',
- 'failure': 'Failure',
- 'quota_exceeded': 'Quota Exceeded',
- 'upstream_failure': 'Upstream Failure',
- 'system_logs': 'System Logs',
- 'view_portal': 'View Portal',
- 'copy_link': 'Copy Link',
+ 'Поддержка оплаты как минимум частичной/депозитной Сумма',
+ 'test_mode': 'Тестовый режим',
+ 'opened': 'Открыто',
+ 'payment_reconciliation_failure': 'Ошибка примирения',
+ 'payment_reconciliation_success': 'Успешное примирение',
+ 'gateway_success': 'Шлюз Успех',
+ 'gateway_failure': 'Шлюз Failure',
+ 'gateway_error': 'Шлюз Ошибка',
+ 'email_send': 'E-mail Отправить',
+ 'email_retry_queue': 'Очередь повторных попыток E-mail',
+ 'failure': 'Отказ',
+ 'quota_exceeded': 'Квота превышена',
+ 'upstream_failure': 'Отказ в восходящем направлении',
+ 'system_logs': 'Системные журналы',
+ 'view_portal': 'Смотреть портал',
+ 'copy_link': 'Копировать ссылку',
'token_billing': 'Сохранить данные карты',
- 'welcome_to_invoice_ninja': 'Welcome to Invoice Ninja',
- 'always': 'Always',
- 'optin': 'Opt-In',
- 'optout': 'Opt-Out',
- 'label': 'Label',
- 'client_number': 'Client Number',
- 'auto_convert': 'Auto Convert',
- 'company_name': 'Company Name',
- 'reminder1_sent': 'Reminder 1 Sent',
- 'reminder2_sent': 'Reminder 2 Sent',
- 'reminder3_sent': 'Reminder 3 Sent',
- 'reminder_last_sent': 'Reminder Last Sent',
- 'pdf_page_info': 'Page :current of :total',
- 'emailed_invoices': 'Successfully emailed invoices',
- 'emailed_quotes': 'Successfully emailed quotes',
- 'emailed_credits': 'Successfully emailed credits',
+ 'welcome_to_invoice_ninja': 'Добро пожаловать к Счет Ниндзя',
+ 'always': 'Всегда',
+ 'optin': 'Подписаться',
+ 'optout': 'Уклоняться',
+ 'label': 'Этикетка',
+ 'client_number': 'Номер Клиент',
+ 'auto_convert': 'Автоматическое преобразование',
+ 'company_name': 'Название компании',
+ 'reminder1_sent': 'Напоминание 1 отправлено',
+ 'reminder2_sent': 'Напоминание 2 отправлено',
+ 'reminder3_sent': 'Напоминание 3 отправлено',
+ 'reminder_last_sent': 'Напоминание Последнее отправлено',
+ 'pdf_page_info': 'Страница :current из :total',
+ 'emailed_invoices': 'Успешно отправил электронное письмо Счета',
+ 'emailed_quotes': 'Успешно отправленные по электронной почте котировки',
+ 'emailed_credits': 'Успешно отправили кредиты по электронной почте',
'gateway': 'Шлюз',
- 'view_in_stripe': 'View in Stripe',
- 'rows_per_page': 'Rows Per Page',
+ 'view_in_stripe': 'Смотреть в Stripe',
+ 'rows_per_page': 'Строк на странице',
'hours': 'Часы',
- 'statement': 'Statement',
+ 'statement': 'Заявление',
'taxes': 'Налоги',
- 'surcharge': 'Surcharge',
- 'apply_payment': 'Apply Payment',
- 'apply_credit': 'Apply Credit',
- 'apply': 'Apply',
- 'unapplied': 'Unapplied',
+ 'surcharge': 'Доплата',
+ 'apply_payment': 'Применить Платеж',
+ 'apply_credit': 'Подать заявку на кредит',
+ 'apply': 'Применять',
+ 'unapplied': 'Неприменимо',
'select_label': 'Выбрать ярлык',
- 'custom_labels': 'Custom Labels',
- 'record_type': 'Record Type',
- 'record_name': 'Record Name',
- 'file_type': 'File Type',
- 'height': 'Height',
- 'width': 'Width',
+ 'custom_labels': 'Custom этикетки',
+ 'record_type': 'Тип записи',
+ 'record_name': 'Имя записи',
+ 'file_type': 'Тип файла',
+ 'height': 'Высота',
+ 'width': 'Ширина',
'to': 'Кому',
- 'health_check': 'Health Check',
+ 'health_check': 'Проверка здоровья',
'payment_type_id': 'Способ оплаты',
- 'last_login_at': 'Last Login At',
- 'company_key': 'Company Key',
- 'storefront': 'Storefront',
- 'storefront_help': 'Enable third-party apps to create invoices',
- 'client_created': 'Client Created',
- 'online_payment_email': 'Online Payment Email',
- 'manual_payment_email': 'Manual Payment Email',
- 'completed': 'Completed',
- 'gross': 'Gross',
- 'net_amount': 'Net Amount',
- 'net_balance': 'Net Balance',
- 'client_settings': 'Client Settings',
- 'selected_invoices': 'Selected Invoices',
- 'selected_payments': 'Selected Payments',
- 'selected_quotes': 'Selected Quotes',
- 'selected_tasks': 'Selected Tasks',
- 'selected_expenses': 'Selected Expenses',
+ 'last_login_at': 'Последний вход в систему',
+ 'company_key': 'Ключ компании',
+ 'storefront': 'Витрина магазина',
+ 'storefront_help': 'Включите сторонние приложения к Создать Счета',
+ 'client_created': 'созданы Клиент',
+ 'online_payment_email': 'Онлайн Платеж E-mail',
+ 'manual_payment_email': 'Руководство Платеж E-mail',
+ 'completed': 'Завершенный',
+ 'gross': 'Валовой',
+ 'net_amount': 'Чистая Сумма',
+ 'net_balance': 'Чистый баланс',
+ 'client_settings': 'Клиент Настройки',
+ 'selected_invoices': 'Выбранный Счета',
+ 'selected_payments': 'Выбранные Платежи',
+ 'selected_quotes': 'Избранные цитаты',
+ 'selected_tasks': 'Избранные задачи',
+ 'selected_expenses': 'Отдельные расходы',
'upcoming_invoices': 'Текущие счета',
- 'past_due_invoices': 'Past Due Invoices',
+ 'past_due_invoices': 'Просроченный Счета',
'recent_payments': 'Последние платежи',
'upcoming_quotes': 'Входящие Прайс-листы',
- 'expired_quotes': 'Expired Quotes',
- 'create_client': 'Create Client',
+ 'expired_quotes': 'Просроченные котировки',
+ 'create_client': 'Создать Клиент',
'create_invoice': 'Создать счёт',
'create_quote': 'Создать котировку',
- 'create_payment': 'Create Payment',
+ 'create_payment': 'Создать Платеж',
'create_vendor': 'Создать поставщика',
- 'update_quote': 'Update Quote',
+ 'update_quote': 'Обновить цитату',
'delete_quote': 'Удалить котировку',
- 'update_invoice': 'Update Invoice',
+ 'update_invoice': 'Обновить Счет',
'delete_invoice': 'Удалить счёт',
- 'update_client': 'Update Client',
+ 'update_client': 'Обновление Клиент',
'delete_client': 'Удалить клиента',
'delete_payment': 'Удалить оплату',
- 'update_vendor': 'Update Vendor',
- 'delete_vendor': 'Delete Vendor',
- 'create_expense': 'Create Expense',
- 'update_expense': 'Update Expense',
+ 'update_vendor': 'Обновление Продавец',
+ 'delete_vendor': 'Удалить Продавец',
+ 'create_expense': 'расходы Создать',
+ 'update_expense': 'Обновление расходы',
'delete_expense': 'Удалить затраты',
'create_task': 'Создать задание',
- 'update_task': 'Update Task',
+ 'update_task': 'Обновить Задача',
'delete_task': 'Удалить задание',
- 'approve_quote': 'Approve Quote',
- 'off': 'Off',
- 'when_paid': 'When Paid',
- 'expires_on': 'Expires On',
+ 'approve_quote': 'Утвердить цитату',
+ 'off': 'Выключенный',
+ 'when_paid': 'Когда оплачено',
+ 'expires_on': 'Истекает',
'free': 'Бесплатно',
- 'plan': 'Plan',
- 'show_sidebar': 'Show Sidebar',
- 'hide_sidebar': 'Hide Sidebar',
- 'event_type': 'Event Type',
+ 'plan': 'План',
+ 'show_sidebar': 'Показать боковую панель',
+ 'hide_sidebar': 'Скрыть боковую панель',
+ 'event_type': 'Тип события',
'target_url': 'Цель',
- 'copy': 'Copy',
- 'must_be_online': 'Please restart the app once connected to the internet',
- 'crons_not_enabled': 'The crons need to be enabled',
- 'api_webhooks': 'API Webhooks',
- 'search_webhooks': 'Search :count Webhooks',
- 'search_webhook': 'Search 1 Webhook',
- 'webhook': 'Webhook',
- 'webhooks': 'Webhooks',
- 'new_webhook': 'New Webhook',
- 'edit_webhook': 'Edit Webhook',
- 'created_webhook': 'Successfully created webhook',
- 'updated_webhook': 'Successfully updated webhook',
- 'archived_webhook': 'Successfully archived webhook',
- 'deleted_webhook': 'Successfully deleted webhook',
- 'removed_webhook': 'Successfully removed webhook',
- 'restored_webhook': 'Successfully restored webhook',
- 'archived_webhooks': 'Successfully archived :value webhooks',
- 'deleted_webhooks': 'Successfully deleted :value webhooks',
- 'removed_webhooks': 'Successfully removed :value webhooks',
- 'restored_webhooks': 'Successfully restored :value webhooks',
+ 'copy': 'Копировать',
+ 'must_be_online':
+ 'Пожалуйста, перезапустите приложение после подключения к Интернету.',
+ 'crons_not_enabled': 'к включить crons',
+ 'api_webhooks': 'API веб-перехватчики',
+ 'search_webhooks': 'Поиск :count Веб-перехватчики',
+ 'search_webhook': 'Поиск 1 веб-хук',
+ 'webhook': 'Вебхук',
+ 'webhooks': 'Вебхуки',
+ 'new_webhook': 'Новый вебхук',
+ 'edit_webhook': 'Редактировать Вебхук',
+ 'created_webhook': 'Успешно созданы вебхук',
+ 'updated_webhook': 'Успешно обновлен вебхук',
+ 'archived_webhook': 'Успешно архивированный вебхук',
+ 'deleted_webhook': 'Вебхук Успешно Удалён',
+ 'removed_webhook': 'Успешно удален вебхук',
+ 'restored_webhook': 'Вебхук Успешно Восстановлен',
+ 'archived_webhooks': 'Успешно архивированный вебхуки :value',
+ 'deleted_webhooks': 'Успешно Удалён :value вебхуки',
+ 'removed_webhooks': 'Успешно удалил вебхуки :value',
+ 'restored_webhooks': 'Успешно Восстановлен :value вебхуки',
'api_tokens': 'API токены',
- 'api_docs': 'API Docs',
- 'search_tokens': 'Search :count Tokens',
- 'search_token': 'Search 1 Token',
+ 'api_docs': 'API-документы',
+ 'search_tokens': 'Поиск токенов :count',
+ 'search_token': 'Поиск 1 токена',
'token': 'Права',
'tokens': 'Токены',
- 'new_token': 'New Token',
+ 'new_token': 'Новый токен',
'edit_token': 'Изменить права',
'created_token': 'Токен создан',
'updated_token': 'Токен обновлён',
- 'archived_token': 'Successfully archived token',
+ 'archived_token': 'Успешно архивированный токен',
'deleted_token': 'Токен успешно удалён',
- 'removed_token': 'Successfully removed token',
- 'restored_token': 'Successfully restored token',
- 'archived_tokens': 'Successfully archived :value tokens',
- 'deleted_tokens': 'Successfully deleted :value tokens',
- 'restored_tokens': 'Successfully restored :value tokens',
- 'client_registration': 'Client Registration',
+ 'removed_token': 'Успешно удален токен',
+ 'restored_token': 'жетон Успешно Восстановлен',
+ 'archived_tokens': 'Успешно архивированный токены :value',
+ 'deleted_tokens': 'Успешно Удалён :value токенов',
+ 'restored_tokens': 'Успешно Восстановлен :value токенов',
+ 'client_registration': 'Регистрация Клиент',
'client_registration_help':
- 'Enable clients to self register in the portal',
+ 'Включить Клиенты к самостоятельную регистрацию на портале',
'email_invoice': 'Отправить счёт',
'email_quote': 'Отправить прайс-лист',
- 'email_credit': 'Email Credit',
- 'email_payment': 'Email Payment',
- 'client_email_not_set': 'Client does not have an email address set',
- 'ledger': 'Ledger',
- 'view_pdf': 'View PDF',
- 'all_records': 'All records',
- 'owned_by_user': 'Owned by user',
- 'credit_remaining': 'Credit Remaining',
- 'contact_name': 'Contact Name',
- 'use_default': 'Use default',
- 'reminder_endless': 'Endless Reminders',
- 'number_of_days': 'Number of days',
- 'configure_payment_terms': 'Configure Payment Terms',
- 'payment_term': 'Payment Term',
- 'new_payment_term': 'New Payment Term',
- 'edit_payment_term': 'Edit Payment Term',
- 'created_payment_term': 'Successfully created payment term',
- 'updated_payment_term': 'Successfully updated payment term',
- 'archived_payment_term': 'Successfully archived payment term',
- 'deleted_payment_term': 'Successfully deleted payment term',
- 'removed_payment_term': 'Successfully removed payment term',
- 'restored_payment_term': 'Successfully restored payment term',
- 'archived_payment_terms': 'Successfully archived :value payment terms',
- 'deleted_payment_terms': 'Successfully deleted :value payment terms',
- 'restored_payment_terms': 'Successfully restored :value payment terms',
- 'email_sign_in': 'Sign in with email',
- 'change': 'Change',
- 'change_to_mobile_layout': 'Change to the mobile layout?',
- 'change_to_desktop_layout': 'Change to the desktop layout?',
- 'send_from_gmail': 'Send from Gmail',
- 'reversed': 'Reversed',
- 'cancelled': 'Cancelled',
+ 'email_credit': 'E-mail Кредит',
+ 'email_payment': 'E-mail Платеж',
+ 'client_email_not_set': 'У Клиент не установлен адрес E-mail',
+ 'ledger': 'Леджер',
+ 'view_pdf': 'Смотреть PDF',
+ 'all_records': 'Все записи',
+ 'owned_by_user': 'Владелец Пользователь',
+ 'credit_remaining': 'Оставшийся кредит',
+ 'contact_name': 'контакт Имя',
+ 'use_default': 'Использовать по умолчанию',
+ 'reminder_endless': 'Бесконечные напоминания',
+ 'number_of_days': 'Количество дней',
+ 'configure_payment_terms': 'Настроить Условия Платеж',
+ 'payment_term': 'Срок Платеж',
+ 'new_payment_term': 'Новый Платеж Срок',
+ 'edit_payment_term': 'Редактировать Срок Платеж',
+ 'created_payment_term': 'Успешно созданы Платеж срок',
+ 'updated_payment_term': 'Успешно обновлен срок Платеж',
+ 'archived_payment_term': 'Успешно архивированный Платеж срок',
+ 'deleted_payment_term': 'Успешно Удалён Платеж срок',
+ 'removed_payment_term': 'Успешно удален срок Платеж',
+ 'restored_payment_term': 'Успешно Восстановлен Платеж срок',
+ 'archived_payment_terms': 'Успешно архивированный :value Условия Платеж',
+ 'deleted_payment_terms': 'Успешно Удалён :value Условия Платеж',
+ 'restored_payment_terms': 'Успешно Восстановлен :value Условия Платеж',
+ 'email_sign_in': 'Войти с помощью E-mail',
+ 'change': 'Изменять',
+ 'change_to_mobile_layout': 'к мобильную раскладку?',
+ 'change_to_desktop_layout': 'к раскладку рабочего стола?',
+ 'send_from_gmail': 'Отправить из Gmail',
+ 'reversed': 'Перевернутый',
+ 'cancelled': 'Отменено',
'credit_amount': 'Сумма кредита',
- 'quote_amount': 'Quote Amount',
- 'hosted': 'Hosted',
- 'selfhosted': 'Self-Hosted',
- 'exclusive': 'Exclusive',
- 'inclusive': 'Inclusive',
- 'hide_menu': 'Hide Menu',
- 'show_menu': 'Show Menu',
- 'partially_refunded': 'Partially Refunded',
- 'search_documents': 'Search Documents',
- 'search_designs': 'Search Designs',
- 'search_invoices': 'Search Invoices',
- 'search_clients': 'Search Clients',
- 'search_products': 'Search Products',
- 'search_quotes': 'Search Quotes',
- 'search_credits': 'Search Credits',
- 'search_vendors': 'Search Vendors',
- 'search_users': 'Search Users',
- 'search_tax_rates': 'Search Tax Rates',
- 'search_tasks': 'Search Tasks',
- 'search_settings': 'Search Settings',
- 'search_projects': 'Search Projects',
- 'search_expenses': 'Search Expenses',
- 'search_payments': 'Search Payments',
- 'search_groups': 'Search Groups',
- 'search_company': 'Search Company',
- 'search_document': 'Search 1 Document',
- 'search_design': 'Search 1 Design',
- 'search_invoice': 'Search 1 Invoice',
- 'search_client': 'Search 1 Client',
- 'search_product': 'Search 1 Product',
- 'search_quote': 'Search 1 Quote',
- 'search_credit': 'Search 1 Credit',
- 'search_vendor': 'Search 1 Vendor',
- 'search_user': 'Search 1 User',
- 'search_tax_rate': 'Search 1 Tax Rate',
- 'search_task': 'Search 1 Tasks',
- 'search_project': 'Search 1 Project',
- 'search_expense': 'Search 1 Expense',
- 'search_payment': 'Search 1 Payment',
- 'search_group': 'Search 1 Group',
- 'refund_payment': 'Refund Payment',
- 'cancelled_invoice': 'Successfully cancelled invoice',
- 'cancelled_invoices': 'Successfully cancelled invoices',
- 'reversed_invoice': 'Successfully reversed invoice',
- 'reversed_invoices': 'Successfully reversed invoices',
- 'reverse': 'Reverse',
+ 'quote_amount': 'Цитата Сумма',
+ 'hosted': 'Хостинг',
+ 'selfhosted': 'Самостоятельно размещенный',
+ 'exclusive': 'Эксклюзивный',
+ 'inclusive': 'Инклюзивный',
+ 'hide_menu': 'Скрыть меню',
+ 'show_menu': 'Показать меню',
+ 'partially_refunded': 'Частично возмещено',
+ 'search_documents': 'Поиск документов',
+ 'search_designs': 'Поиск Дизайнов',
+ 'search_invoices': 'Поиск Счета',
+ 'search_clients': 'Поиск Клиенты',
+ 'search_products': 'Поиск продуктов',
+ 'search_quotes': 'Поиск цитат',
+ 'search_credits': 'Поиск кредитов',
+ 'search_vendors': 'Поиск поставщиков',
+ 'search_users': 'Поиск пользователей',
+ 'search_tax_rates': 'Поиск налоговых ставок',
+ 'search_tasks': 'Поиск задач',
+ 'search_settings': 'Поиск Настройки',
+ 'search_projects': 'Поиск проектов',
+ 'search_expenses': 'Расходы на поиск',
+ 'search_payments': 'Поиск Платежи',
+ 'search_groups': 'Поиск Группы',
+ 'search_company': 'Поиск компании',
+ 'search_document': 'Поиск 1 документа',
+ 'search_design': 'Поиск 1 Дизайн',
+ 'search_invoice': 'Поиск 1 Счет',
+ 'search_client': 'Поиск 1 Клиент',
+ 'search_product': 'Поиск 1 продукта',
+ 'search_quote': 'Поиск 1 цитаты',
+ 'search_credit': 'Поиск 1 Кредит',
+ 'search_vendor': 'Поиск 1 Продавец',
+ 'search_user': 'Поиск 1 Пользователь',
+ 'search_tax_rate': 'Поиск 1 Налоговая ставка',
+ 'search_task': 'Поиск 1 Задачи',
+ 'search_project': 'Поиск 1 проекта',
+ 'search_expense': 'Поиск 1 расходы',
+ 'search_payment': 'Поиск 1 Платеж',
+ 'search_group': 'Поиск 1 группы',
+ 'refund_payment': 'Возврат Платеж',
+ 'cancelled_invoice': 'Успешно отменен Счет',
+ 'cancelled_invoices': 'Успешно отменил Счета',
+ 'reversed_invoice': 'Успешно перевернул Счет',
+ 'reversed_invoices': 'Успешно перевернул Счета',
+ 'reverse': 'Обеспечить регресс',
'full_name': 'Полное имя',
- 'city_state_postal': 'City/State/Postal',
+ 'city_state_postal': 'Город/штат/почтовый индекс',
'postal_city_state': 'Индекс/Город/Страна',
- 'custom1': 'First Custom',
- 'custom2': 'Second Custom',
- 'custom3': 'Third Custom',
- 'custom4': 'Fourth Custom',
- 'optional': 'Optional',
- 'license': 'License',
- 'purge_data': 'Purge Data',
+ 'custom1': 'Первый Custom',
+ 'custom2': 'Второй Custom',
+ 'custom3': 'Третий Custom',
+ 'custom4': 'Четвертый Custom',
+ 'optional': 'Необязательный',
+ 'license': 'Лицензия',
+ 'purge_data': 'Очистить данные',
'purge_successful': 'Информация о компании успешно удалена',
'purge_data_message':
- 'Warning: This will permanently erase your data, there is no undo.',
- 'invoice_balance': 'Invoice Balance',
+ 'Предупреждение: это действие приведет к безвозвратному удалению ваших данных. Отменить действие невозможно.',
+ 'invoice_balance': 'Счет Баланс',
'age_group_0': '0-30 дней',
'age_group_30': '30-60 дней',
'age_group_60': '60-90 дней',
'age_group_90': '90-120 дней',
'age_group_120': '120+ дней',
- 'refresh': 'Refresh',
- 'saved_design': 'Successfully saved design',
- 'client_details': 'Client Details',
- 'company_address': 'Company Address',
+ 'refresh': 'Обновить',
+ 'saved_design': 'Успешно сохраненный дизайн',
+ 'client_details': 'Клиент детали',
+ 'company_address': 'Адрес компании',
'invoice_details': 'Детали счёта',
- 'quote_details': 'Quote Details',
- 'credit_details': 'Credit Details',
- 'product_columns': 'Product Columns',
- 'task_columns': 'Task Columns',
- 'add_field': 'Add Field',
- 'all_events': 'All Events',
- 'permissions': 'Permissions',
- 'none': 'None',
- 'owned': 'Owned',
- 'payment_success': 'Payment Success',
- 'payment_failure': 'Payment Failure',
+ 'quote_details': 'Цитата детали',
+ 'credit_details': 'Кредит детали',
+ 'product_columns': 'Столбцы продуктов',
+ 'task_columns': 'Задача Столбцы',
+ 'add_field': 'Добавить поле',
+ 'all_events': 'Все события',
+ 'permissions': 'Разрешения',
+ 'none': 'Никто',
+ 'owned': 'В собственности',
+ 'payment_success': 'Платеж Success',
+ 'payment_failure': 'Платеж Failure',
'invoice_sent': ':count счет отправлен',
- 'quote_sent': 'Quote Sent',
- 'credit_sent': 'Credit Sent',
- 'invoice_viewed': 'Invoice Viewed',
- 'quote_viewed': 'Quote Viewed',
- 'credit_viewed': 'Credit Viewed',
- 'quote_approved': 'Quote Approved',
- 'receive_all_notifications': 'Receive All Notifications',
- 'purchase_license': 'Purchase License',
- 'apply_license': 'Apply License',
+ 'quote_sent': 'Цитата отправлена',
+ 'credit_sent': 'Кредит отправлен',
+ 'invoice_viewed': 'Счет Просмотрено',
+ 'quote_viewed': 'Цитата просмотрена',
+ 'credit_viewed': 'Кредит просмотрен',
+ 'quote_approved': 'Цитата Одобрено',
+ 'receive_all_notifications': 'Получать все уведомления',
+ 'purchase_license': 'Лицензия на покупку',
+ 'apply_license': 'Применить лицензию',
'cancel_account': 'Удалить аккаунт',
'cancel_account_message':
'Внимание: это приведет к безвозвратному удалению вашего аккаунта.',
'delete_company': 'Удалить компанию',
'delete_company_message':
'Внимание: это приведет к безвозвратному удалению вашего аккаунта.',
- 'enabled_modules': 'Enabled Modules',
- 'converted_quote': 'Successfully converted quote',
- 'credit_design': 'Credit Design',
- 'includes': 'Includes',
+ 'enabled_modules': 'Включенные модули',
+ 'converted_quote': 'Успешно конвертированная цитата',
+ 'credit_design': 'Кредитный дизайн',
+ 'includes': 'Включает в себя',
'header': 'Заголовок',
'load_design': 'Загрузить шаблон',
- 'css_framework': 'CSS Framework',
- 'custom_designs': 'Custom Designs',
- 'designs': 'Designs',
- 'new_design': 'New Design',
- 'edit_design': 'Edit Design',
- 'created_design': 'Successfully created design',
- 'updated_design': 'Successfully updated design',
- 'archived_design': 'Successfully archived design',
- 'deleted_design': 'Successfully deleted design',
- 'removed_design': 'Successfully removed design',
- 'restored_design': 'Successfully restored design',
- 'archived_designs': 'Successfully archived :value designs',
- 'deleted_designs': 'Successfully deleted :value designs',
- 'restored_designs': 'Successfully restored :value designs',
+ 'css_framework': 'CSS-фреймворк',
+ 'custom_designs': 'Custom дизайн',
+ 'designs': 'Дизайны',
+ 'new_design': 'Новый дизайн',
+ 'edit_design': 'Редактировать Дизайн',
+ 'created_design': 'Успешно созданы дизайн',
+ 'updated_design': 'Успешно обновленный дизайн',
+ 'archived_design': 'Успешно архивированный дизайн',
+ 'deleted_design': 'Успешно Удалён дизайн',
+ 'removed_design': 'Успешно удален дизайн',
+ 'restored_design': 'Успешно Восстановлен дизайн',
+ 'archived_designs': 'Успешно архивированный проекты :value',
+ 'deleted_designs': 'Успешно Удалён :value дизайнов',
+ 'restored_designs': 'Успешно Восстановлен :value дизайнов',
'proposals': 'Коммерческие предложения',
- 'tickets': 'Tickets',
+ 'tickets': 'Билеты',
'recurring_quotes': 'Повторяющиеся Прайс-листы',
- 'recurring_tasks': 'Recurring Tasks',
- 'account_management': 'Account Management',
+ 'recurring_tasks': 'Повторяющийся задачи',
+ 'account_management': 'Управление счетом',
'credit_date': 'Дата кредита',
'credit': 'Кредит',
'credits': 'Кредиты',
'new_credit': 'Добавить кредит',
- 'edit_credit': 'Edit Credit',
+ 'edit_credit': 'Редактировать Кредит',
'created_credit': 'Кредит успешно создан',
- 'updated_credit': 'Successfully updated credit',
+ 'updated_credit': 'Успешно обновленный кредит',
'archived_credit': 'Кредит успешно архивирован',
'deleted_credit': 'Кредит успешно удален',
- 'removed_credit': 'Successfully removed credit',
+ 'removed_credit': 'Успешно удален кредит',
'restored_credit': 'Кредит восстановлен',
'archived_credits': 'Успешно архивировано :count кредита(ов)',
'deleted_credits': 'Успешно удалено :count кредита(ов)',
- 'restored_credits': 'Successfully restored :value credits',
+ 'restored_credits': 'Успешно Восстановлен :value кредитов',
'current_version': 'Текущая версия',
- 'latest_version': 'Latest Version',
- 'update_now': 'Update Now',
- 'a_new_version_is_available': 'A new version of the web app is available',
- 'update_available': 'Update Available',
- 'app_updated': 'Update successfully completed',
+ 'latest_version': 'Последняя версия',
+ 'update_now': 'Обновить сейчас',
+ 'a_new_version_is_available': 'Доступна нового версия веб-приложения',
+ 'update_available': 'Доступно обновление',
+ 'app_updated': 'Обновление Успешно завершено',
'learn_more': 'Узнать больше',
- 'integrations': 'Integrations',
- 'tracking_id': 'Tracking Id',
- 'slack_webhook_url': 'Slack Webhook URL',
- 'credit_footer': 'Credit Footer',
- 'credit_terms': 'Credit Terms',
+ 'integrations': 'Интеграции',
+ 'tracking_id': 'Идентификатор отслеживания',
+ 'slack_webhook_url': 'URL-адрес веб-перехватчика Slack',
+ 'credit_footer': 'Нижний колонтитул кредита',
+ 'credit_terms': 'Условия кредита',
'new_company': 'Новая компания',
- 'added_company': 'Successfully added company',
- 'company1': 'Custom Company 1',
- 'company2': 'Custom Company 2',
- 'company3': 'Custom Company 3',
- 'company4': 'Custom Company 4',
- 'product1': 'Custom Product 1',
- 'product2': 'Custom Product 2',
- 'product3': 'Custom Product 3',
- 'product4': 'Custom Product 4',
- 'client1': 'Custom Client 1',
- 'client2': 'Custom Client 2',
- 'client3': 'Custom Client 3',
- 'client4': 'Custom Client 4',
- 'contact1': 'Custom Contact 1',
- 'contact2': 'Custom Contact 2',
- 'contact3': 'Custom Contact 3',
- 'contact4': 'Custom Contact 4',
- 'task1': 'Custom Task 1',
- 'task2': 'Custom Task 2',
- 'task3': 'Custom Task 3',
- 'task4': 'Custom Task 4',
- 'project1': 'Custom Project 1',
- 'project2': 'Custom Project 2',
- 'project3': 'Custom Project 3',
- 'project4': 'Custom Project 4',
- 'expense1': 'Custom Expense 1',
- 'expense2': 'Custom Expense 2',
- 'expense3': 'Custom Expense 3',
- 'expense4': 'Custom Expense 4',
- 'vendor1': 'Custom Vendor 1',
- 'vendor2': 'Custom Vendor 2',
- 'vendor3': 'Custom Vendor 3',
- 'vendor4': 'Custom Vendor 4',
- 'invoice1': 'Custom Invoice 1',
- 'invoice2': 'Custom Invoice 2',
- 'invoice3': 'Custom Invoice 3',
- 'invoice4': 'Custom Invoice 4',
- 'payment1': 'Custom Payment 1',
- 'payment2': 'Custom Payment 2',
- 'payment3': 'Custom Payment 3',
- 'payment4': 'Custom Payment 4',
- 'surcharge1': 'Custom Surcharge 1',
- 'surcharge2': 'Custom Surcharge 2',
- 'surcharge3': 'Custom Surcharge 3',
- 'surcharge4': 'Custom Surcharge 4',
- 'group1': 'Custom Group 1',
- 'group2': 'Custom Group 2',
- 'group3': 'Custom Group 3',
- 'group4': 'Custom Group 4',
+ 'added_company': 'Успешно добавлена компания',
+ 'company1': 'Custom компания 1',
+ 'company2': 'Custom компания 2',
+ 'company3': 'Custom компания 3',
+ 'company4': 'Custom компания 4',
+ 'product1': 'Custom продукт 1',
+ 'product2': 'Custom продукт 2',
+ 'product3': 'Custom продукт 3',
+ 'product4': 'Custom продукт 4',
+ 'client1': 'Custom Клиент 1',
+ 'client2': 'Custom Клиент 2',
+ 'client3': 'Custom Клиент 3',
+ 'client4': 'Custom Клиент 4',
+ 'contact1': 'Custom контакт 1',
+ 'contact2': 'Custom контакт 2',
+ 'contact3': 'Custom контакт 3',
+ 'contact4': 'Custom контакт 4',
+ 'task1': 'Custom Задача',
+ 'task2': 'Custom Задача 2',
+ 'task3': 'Custom Задача 3',
+ 'task4': 'Custom Задача 4',
+ 'project1': 'Custom проект 1',
+ 'project2': 'Custom проект 2',
+ 'project3': 'Custom проект 3',
+ 'project4': 'Custom проект 4',
+ 'expense1': 'Custom расходы 1',
+ 'expense2': 'Custom расходы 2',
+ 'expense3': 'Custom расходы 3',
+ 'expense4': 'Custom расходы 4',
+ 'vendor1': 'Custom Продавец 1',
+ 'vendor2': 'Custom Продавец 2',
+ 'vendor3': 'Custom Продавец 3',
+ 'vendor4': 'Custom Продавец 4',
+ 'invoice1': 'Custom Счет 1',
+ 'invoice2': 'Custom Счет 2',
+ 'invoice3': 'Custom Счет 3',
+ 'invoice4': 'Custom Счет 4',
+ 'payment1': 'Custom Платеж 1',
+ 'payment2': 'Custom Платеж 2',
+ 'payment3': 'Custom Платеж 3',
+ 'payment4': 'Custom Платеж 4',
+ 'surcharge1': 'Custom доплата 1',
+ 'surcharge2': 'Custom доплата 2',
+ 'surcharge3': 'Custom доплата 3',
+ 'surcharge4': 'Custom доплата 4',
+ 'group1': 'Custom группа 1',
+ 'group2': 'Custom группа 2',
+ 'group3': 'Custom группа 3',
+ 'group4': 'Custom группа 4',
'reset': 'Сбросить',
- 'number': 'Number',
+ 'number': 'Число',
'export': 'Экспорт',
'chart': 'График',
- 'count': 'Count',
+ 'count': 'Считать',
'totals': 'Итого',
- 'blank': 'Blank',
+ 'blank': 'Пустой',
'day': 'День',
'month': 'Месяц',
'year': 'Год',
- 'subgroup': 'Subgroup',
- 'is_active': 'Is Active',
+ 'subgroup': 'Подгруппа',
+ 'is_active': 'Активен',
'group_by': 'Группировать',
'credit_balance': 'Баланс кредита',
- 'contact_last_login': 'Contact Last Login',
- 'contact_full_name': 'Contact Full Name',
+ 'contact_last_login': 'контакт Последний вход',
+ 'contact_full_name': 'контакт Полное имя',
'contact_phone': 'Контактный номер',
- 'contact_custom_value1': 'Contact Custom Value 1',
- 'contact_custom_value2': 'Contact Custom Value 2',
- 'contact_custom_value3': 'Contact Custom Value 3',
- 'contact_custom_value4': 'Contact Custom Value 4',
- 'shipping_address1': 'Shipping Street',
- 'shipping_address2': 'Shipping Apt/Suite',
- 'shipping_city': 'Shipping City',
- 'shipping_state': 'Shipping State/Province',
- 'shipping_postal_code': 'Shipping Postal Code',
- 'shipping_country': 'Shipping Country',
- 'billing_address1': 'Billing Street',
- 'billing_address2': 'Billing Apt/Suite',
- 'billing_city': 'Billing City',
- 'billing_state': 'Billing State/Province',
- 'billing_postal_code': 'Billing Postal Code',
- 'billing_country': 'Billing Country',
- 'client_id': 'Client Id',
+ 'contact_custom_value1': 'контакт Custom значение 1',
+ 'contact_custom_value2': 'контакт Custom значение 2',
+ 'contact_custom_value3': 'контакт Custom значение 3',
+ 'contact_custom_value4': 'контакт Custom значение 4',
+ 'shipping_address1': 'Улица Шиппинг',
+ 'shipping_address2': 'Доставка Квартиры/Люкса',
+ 'shipping_city': 'Город доставки',
+ 'shipping_state': 'Штат/провинция доставки',
+ 'shipping_postal_code': 'Почтовый индекс доставки',
+ 'shipping_country': 'Страна доставки',
+ 'billing_address1': 'Биллинг Стрит',
+ 'billing_address2': 'Квартиры/апартаменты для выставления счетов',
+ 'billing_city': 'Биллинг Сити',
+ 'billing_state': 'Штат/провинция выставления счета',
+ 'billing_postal_code': 'Почтовый индекс для выставления счета',
+ 'billing_country': 'Страна выставления счета',
+ 'client_id': 'Клиент Id',
'assigned_to': 'Назначен',
- 'created_by': 'Created by :name',
- 'assigned_to_id': 'Assigned To Id',
- 'created_by_id': 'Created By Id',
- 'add_column': 'Add Column',
- 'edit_columns': 'Edit Columns',
+ 'created_by': 'созданы :name',
+ 'assigned_to_id': 'Назначен к Id',
+ 'created_by_id': 'По созданы',
+ 'add_column': 'Добавить колонку',
+ 'edit_columns': 'Редактировать Колонки',
'columns': 'Столбцы',
- 'aging': 'Aging',
+ 'aging': 'Старение',
'profit_and_loss': 'Прибыли и убытки',
- 'reports': 'Reports',
+ 'reports': 'Отчеты',
'report': 'Отчет',
'add_company': 'Добавить компанию',
- 'unpaid_invoice': 'Unpaid Invoice',
+ 'unpaid_invoice': 'Неоплаченный Счет',
'paid_invoice': 'Оплаченные счета',
- 'unapproved_quote': 'Unapproved Quote',
+ 'unapproved_quote': 'Неутвержденная цитата',
'help': 'Помощь',
- 'refund': 'Refund',
- 'refund_date': 'Refund Date',
- 'filtered_by': 'Filtered by',
+ 'refund': 'Возвращать деньги',
+ 'refund_date': 'Дата возврата',
+ 'filtered_by': 'Отфильтровано по',
'contact_email': 'Почта для связи',
- 'multiselect': 'Multiselect',
- 'entity_state': 'State',
- 'verify_password': 'Verify Password',
- 'applied': 'Applied',
- 'include_recent_errors': 'Include recent errors from the logs',
+ 'multiselect': 'Множественный выбор',
+ 'entity_state': 'Состояние',
+ 'verify_password': 'Подтвердите пароль',
+ 'applied': 'Применяемый',
+ 'include_recent_errors': 'Включить последние ошибки из журналов',
'your_message_has_been_received':
- 'We have received your message and will try to respond promptly.',
+ 'Мы получили ваше Сообщение и постараемся к как можно скорее.',
'message': 'Сообщение',
'from': 'От',
- 'show_product_details': 'Show Product Details',
+ 'show_product_details': 'Показать детали продукта',
'show_product_details_help':
- 'Include the description and cost in the product dropdown',
- 'pdf_min_requirements': 'The PDF renderer requires :version',
- 'adjust_fee_percent': 'Adjust Fee Percent',
- 'adjust_fee_percent_help': 'Adjust percent to account for fee',
- 'configure_settings': 'Configure Settings',
- 'support_forum': 'Support Forums',
- 'about': 'About',
+ 'Включите описание и стоимость в раскрывающийся список продуктов',
+ 'pdf_min_requirements': 'Для рендеринга PDF требуется :version',
+ 'adjust_fee_percent': 'Изменить процент комиссии',
+ 'adjust_fee_percent_help': 'Отрегулируйте процент к счету для платы',
+ 'configure_settings': 'Настроить Настройки',
+ 'support_forum': 'Форумы поддержки',
+ 'about': 'О',
'documentation': 'Документация',
'contact_us': 'Свяжитесь с нами',
'subtotal': 'Промежуточный итог',
'line_total': 'Всего',
'item': 'Название',
- 'credit_email': 'Credit Email',
- 'iframe_url': 'iFrame URL',
- 'domain_url': 'Domain URL',
- 'password_is_too_short': 'Password is too short',
+ 'credit_email': 'Кредитный E-mail',
+ 'iframe_url': 'URL-адрес iFrame',
+ 'domain_url': 'URL-адрес домена',
+ 'password_is_too_short': 'Пароль слишком короткий',
'password_is_too_easy':
- 'Password must contain an upper case character and a number',
- 'client_portal_tasks': 'Client Portal Tasks',
- 'client_portal_dashboard': 'Client Portal Dashboard',
- 'please_enter_a_value': 'Please enter a value',
- 'deleted_logo': 'Successfully deleted logo',
- 'yes': 'Yes',
- 'no': 'No',
- 'generate_number': 'Generate Number',
- 'when_saved': 'When Saved',
- 'when_sent': 'When Sent',
- 'select_company': 'Select Company',
- 'float': 'Float',
- 'collapse': 'Collapse',
- 'show_or_hide': 'Show/hide',
- 'menu_sidebar': 'Menu Sidebar',
- 'history_sidebar': 'History Sidebar',
- 'tablet': 'Tablet',
- 'mobile': 'Mobile',
+ 'Пароль должен содержать заглавные буквы и цифру.',
+ 'client_portal_tasks': 'Задачи Клиент портала',
+ 'client_portal_dashboard': 'Панель управления Клиент портала',
+ 'please_enter_a_value': 'Пожалуйста, Ввод значение',
+ 'deleted_logo': 'Логотип Успешно Удалён',
+ 'yes': 'Да',
+ 'no': 'Нет',
+ 'generate_number': 'Сгенерировать номер',
+ 'when_saved': 'Когда сохранено',
+ 'when_sent': 'Когда отправлено',
+ 'select_company': 'Выбрать компанию',
+ 'float': 'Плавать',
+ 'collapse': 'Крах',
+ 'show_or_hide': 'Показать/скрыть',
+ 'menu_sidebar': 'Меню Боковая панель',
+ 'history_sidebar': 'История Боковая панель',
+ 'tablet': 'Планшет',
+ 'mobile': 'Мобильный',
'desktop': 'Рабочий стол',
- 'layout': 'Layout',
- 'view': 'View',
- 'module': 'Module',
- 'first_custom': 'First Custom',
- 'second_custom': 'Second Custom',
- 'third_custom': 'Third Custom',
- 'show_cost': 'Show Cost',
- 'show_product_cost': 'Show Product Cost',
+ 'layout': 'Макет',
+ 'view': 'Смотреть',
+ 'module': 'Модуль',
+ 'first_custom': 'Первый Custom',
+ 'second_custom': 'Второй Custom',
+ 'third_custom': 'Третий Custom',
+ 'show_cost': 'Показать стоимость',
+ 'show_product_cost': 'Показать стоимость продукта',
'show_cost_help':
- 'Display a product cost field to track the markup/profit',
- 'show_product_quantity': 'Show Product Quantity',
+ 'Отображение поля себестоимости продукта к отслеживания наценки/прибыли',
+ 'show_product_quantity': 'Показать количество продукта',
'show_product_quantity_help':
- 'Display a product quantity field, otherwise default to one',
- 'show_invoice_quantity': 'Show Invoice Quantity',
+ 'Отображение поля количества товара, в противном случае по умолчанию к одному',
+ 'show_invoice_quantity': 'Показать Счет Количество',
'show_invoice_quantity_help':
- 'Display a line item quantity field, otherwise default to one',
- 'show_product_discount': 'Show Product Discount',
- 'show_product_discount_help': 'Display a line item discount field',
- 'default_quantity': 'Default Quantity',
+ 'Отображение поля количества позиций, в противном случае по умолчанию к один',
+ 'show_product_discount': 'Показать скидку на продукт',
+ 'show_product_discount_help': 'Отображение поля скидки на позицию',
+ 'default_quantity': 'Количество по умолчанию',
'default_quantity_help':
- 'Automatically set the line item quantity to one',
- 'one_tax_rate': 'One Tax Rate',
- 'two_tax_rates': 'Two Tax Rates',
- 'three_tax_rates': 'Three Tax Rates',
- 'default_tax_rate': 'Default Tax Rate',
+ 'Автоматически установить количество позиций к одному',
+ 'one_tax_rate': 'Единая налоговая ставка',
+ 'two_tax_rates': 'Две налоговые ставки',
+ 'three_tax_rates': 'Три налоговые ставки',
+ 'default_tax_rate': 'Ставка налога по умолчанию',
'user': 'Пользователь',
- 'invoice_tax': 'Invoice Tax',
- 'line_item_tax': 'Line Item Tax',
- 'inclusive_taxes': 'Inclusive Taxes',
- 'invoice_tax_rates': 'Invoice Tax Rates',
- 'item_tax_rates': 'Item Tax Rates',
- 'no_client_selected': 'Please select a client',
- 'configure_rates': 'Configure rates',
- 'configure_gateways': 'Configure Gateways',
+ 'invoice_tax': 'Счет Налог',
+ 'line_item_tax': 'Налог по позициям',
+ 'inclusive_taxes': 'Включая налоги',
+ 'invoice_tax_rates': 'Счет налоговых ставок',
+ 'item_tax_rates': 'Ставки налога на товары',
+ 'no_client_selected': 'Пожалуйста, выберите клиента',
+ 'configure_rates': 'Настроить ставки',
+ 'configure_gateways': 'Настроить шлюзы',
'tax_settings': 'Настройки налогов',
- 'tax_settings_rates': 'Tax Rates',
- 'accent_color': 'Accent Color',
- 'switch': 'Switch',
- 'comma_sparated_list': 'Comma separated list',
+ 'tax_settings_rates': 'Налоговые ставки',
+ 'accent_color': 'Цвет акцента',
+ 'switch': 'Выключатель',
+ 'comma_sparated_list': 'Список, разделенный запятыми',
'options': 'Настройки',
- 'single_line_text': 'Single-line text',
- 'multi_line_text': 'Multi-line text',
- 'dropdown': 'Dropdown',
- 'field_type': 'Field Type',
- 'recover_password_email_sent': 'A password recovery email has been sent',
- 'submit': 'Submit',
+ 'single_line_text': 'Однострочный текст',
+ 'multi_line_text': 'Многострочный текст',
+ 'dropdown': 'Падать',
+ 'field_type': 'Тип поля',
+ 'recover_password_email_sent':
+ 'E-mail для восстановления пароля было отправлено.',
+ 'submit': 'Представлять на рассмотрение',
'recover_password': 'Восстановить пароль',
- 'late_fees': 'Late Fees',
- 'credit_number': 'Credit Number',
- 'payment_number': 'Payment Number',
+ 'late_fees': 'Штрафы за просрочку платежа',
+ 'credit_number': 'Номер кредита',
+ 'payment_number': 'Номер Платеж',
'late_fee_amount': 'Сумма пени',
'late_fee_percent': 'Процент пени',
- 'before_due_date': 'Before the due date',
- 'after_due_date': 'After the due date',
- 'after_invoice_date': 'After the invoice date',
+ 'before_due_date': 'До наступления срока',
+ 'after_due_date': 'После истечения срока',
+ 'after_invoice_date': 'После даты Счет',
'days': 'Дни',
'invoice_email': 'Письмо',
'payment_email': 'Платежный адрес эл. почты',
- 'partial_payment': 'Partial Payment',
- 'payment_partial': 'Partial Payment',
- 'partial_payment_email': 'Partial Payment Email',
- 'quote_email': 'Quote Email',
- 'endless_reminder': 'Endless Reminder',
- 'filtered_by_user': 'Filtered by User',
- 'administrator': 'Administrator',
+ 'partial_payment': 'Частичная Платеж',
+ 'payment_partial': 'Частичная Платеж',
+ 'partial_payment_email': 'Частичная Платеж E-mail',
+ 'quote_email': 'Цитата E-mail',
+ 'endless_reminder': 'Бесконечное напоминание',
+ 'filtered_by_user': 'Отфильтровано Пользователь',
+ 'administrator': 'Администратор',
'administrator_help':
- 'Allow user to manage users, change settings and modify all records',
+ 'Разрешить Пользователь к пользователями, изменять Настрой к и изменять все записи',
'user_management': 'Управление пользователями',
'users': 'Пользователи',
- 'new_user': 'New User',
+ 'new_user': 'Новый Пользователь',
'edit_user': 'Редактировать',
- 'created_user': 'Successfully created user',
+ 'created_user': 'Успешно созданы Пользователь',
'updated_user': 'Профиль пользователя успешно обновлён',
- 'archived_user': 'Successfully archived user',
+ 'archived_user': 'Успешно архивированный Пользователь',
'deleted_user': 'Пользователь удалён',
- 'removed_user': 'Successfully removed user',
+ 'removed_user': 'Успешно удален Пользователь',
'restored_user': 'Пользователь успешно восстановлен',
- 'archived_users': 'Successfully archived :value users',
- 'deleted_users': 'Successfully deleted :value users',
- 'removed_users': 'Successfully removed :value users',
- 'restored_users': 'Successfully restored :value users',
+ 'archived_users': 'Успешно архивированный пользователи :value',
+ 'deleted_users': 'Успешно Удалён :value пользователей',
+ 'removed_users': 'Успешно удалил пользователей :value',
+ 'restored_users': 'Успешно Восстановлен :value пользователей',
'general_settings': 'Общие настройки',
'invoice_options': 'Настройки счета',
'hide_paid_to_date': 'Скрыть \'Оплатить до\'',
'hide_paid_to_date_help':
'Показывать только «Оплатить до» в ваших счетах после получения платежа.',
- 'invoice_embed_documents': 'Embed Documents',
+ 'invoice_embed_documents': 'Встроить документы',
'invoice_embed_documents_help': 'Include attached images in the invoice.',
- 'all_pages_header': 'Show Header on',
- 'all_pages_footer': 'Show Footer on',
- 'first_page': 'First page',
- 'all_pages': 'All pages',
- 'last_page': 'Last page',
- 'primary_font': 'Primary Font',
- 'secondary_font': 'Secondary Font',
+ 'all_pages_header': 'Показать заголовок на',
+ 'all_pages_footer': 'Показать нижний колонтитул',
+ 'first_page': 'Первая страница',
+ 'all_pages': 'Все страницы',
+ 'last_page': 'Последняя страница',
+ 'primary_font': 'Основной шрифт',
+ 'secondary_font': 'Вторичный шрифт',
'primary_color': 'Основной цвет',
'secondary_color': 'Второстепенный цвет',
- 'page_size': 'Page Size',
+ 'page_size': 'Размер страницы',
'font_size': 'Размер шрифта',
'quote_design': 'Шаблон котировок',
'invoice_fields': 'Поля счёта',
'product_fields': 'Поля товара/услуги',
'invoice_terms': 'Условия счёта',
'invoice_footer': 'Нижний колонтитул счета',
- 'quote_terms': 'Quote Terms',
- 'quote_footer': 'Quote Footer',
- 'auto_email_invoice': 'Auto Email',
- 'auto_email_invoice_help':
- 'Automatically email recurring invoices when created.',
- 'auto_archive_quote': 'Auto Archive',
+ 'quote_terms': 'Quote Условия',
+ 'quote_footer': 'Цитата Нижний колонтитул',
+ 'auto_email_invoice': 'Автоматическая E-mail',
+ 'auto_email_invoice_help':
+ 'Автоматически E-mail Повторяющийся Счета при созданы .',
+ 'auto_archive_quote': 'Авто Архив',
'auto_archive_quote_help':
- 'Automatically archive quotes when converted to invoice.',
- 'auto_convert_quote': 'Auto Convert',
+ 'Автоматически цитирует Архив при конвертации к Счет .',
+ 'auto_convert_quote': 'Автоматическое преобразование',
'auto_convert_quote_help':
- 'Automatically convert a quote to an invoice when approved.',
- 'workflow_settings': 'Workflow Settings',
- 'freq_daily': 'Daily',
+ 'Автоматически конвертировать цитату к Счет когда Одобрено .',
+ 'workflow_settings': 'Рабочий процесс Настройки',
+ 'freq_daily': 'Ежедневно',
'freq_weekly': 'Еженедельно',
'freq_two_weeks': 'Две недели',
'freq_four_weeks': 'Четыре недели',
@@ -89035,105 +89035,104 @@ mixin LocalizationsProvider on LocaleCodeAware {
'freq_three_months': 'Три месяца',
'freq_four_months': 'Четыре месяца',
'freq_six_months': 'Полгода',
- 'freq_annually': 'Annually',
- 'freq_two_years': 'Two years',
- 'freq_three_years': 'Three Years',
- 'never': 'Never',
+ 'freq_annually': 'Ежегодно',
+ 'freq_two_years': 'Два года',
+ 'freq_three_years': 'Три года',
+ 'never': 'Никогда',
'company': 'Компания',
- 'generated_numbers': 'Generated Numbers',
+ 'generated_numbers': 'Сгенерированные числа',
'charge_taxes': 'Расчёт налогов',
- 'next_reset': 'Next Reset',
- 'reset_counter': 'Reset Counter',
+ 'next_reset': 'Далее Сброс',
+ 'reset_counter': 'Сбросить счетчик',
'recurring_prefix': 'Повторяющийся префикс',
- 'number_padding': 'Number Padding',
- 'general': 'General',
- 'surcharge_field': 'Surcharge Field',
+ 'number_padding': 'Дополнение числа',
+ 'general': 'Общий',
+ 'surcharge_field': 'Поле доплаты',
'company_field': 'Поле Компании',
- 'company_value': 'Company Value',
- 'credit_field': 'Credit Field',
+ 'company_value': 'Стоимость компании',
+ 'credit_field': 'Кредитное поле',
'invoice_field': 'Поле Счёта',
- 'invoice_surcharge': 'Invoice Surcharge',
- 'client_field': 'Client Field',
+ 'invoice_surcharge': 'Счет Доплата',
+ 'client_field': 'Клиент Field',
'product_field': 'Поле товара/услуги',
- 'payment_field': 'Payment Field',
- 'contact_field': 'Contact Field',
+ 'payment_field': 'Платеж поле',
+ 'contact_field': 'контакт Поле',
'vendor_field': 'Поле Поставщика',
- 'expense_field': 'Expense Field',
- 'project_field': 'Project Field',
- 'task_field': 'Task Field',
- 'group_field': 'Group Field',
- 'number_counter': 'Number Counter',
+ 'expense_field': 'Поле расходы',
+ 'project_field': 'Проектное поле',
+ 'task_field': 'Задача Поле',
+ 'group_field': 'Групповое поле',
+ 'number_counter': 'Счетчик чисел',
'prefix': 'Префикс',
- 'number_pattern': 'Number Pattern',
+ 'number_pattern': 'Числовой шаблон',
'messages': 'Сообщения',
'custom_css': 'Пользовательские CSS',
'custom_javascript': 'Custom JavaScript',
- 'signature_on_pdf': 'Show on PDF',
- 'signature_on_pdf_help':
- 'Show the client signature on the invoice/quote PDF.',
- 'show_accept_invoice_terms': 'Invoice Terms Checkbox',
+ 'signature_on_pdf': 'Показать в PDF',
+ 'signature_on_pdf_help': 'Покажите подпись клиента на Счет /quote PDF .',
+ 'show_accept_invoice_terms': 'Счет Условия Флажок',
'show_accept_invoice_terms_help':
- 'Require client to confirm that they accept the invoice terms.',
- 'show_accept_quote_terms': 'Quote Terms Checkbox',
+ 'Требуйте к клиентов к того, что они принимают Счет Условия .',
+ 'show_accept_quote_terms': 'Quote Условия Checkbox',
'show_accept_quote_terms_help':
- 'Require client to confirm that they accept the quote terms.',
- 'require_invoice_signature': 'Invoice Signature',
+ 'Попросите к лиента к , что они согласны с ценовыми Условия .',
+ 'require_invoice_signature': 'Счет Подпись',
'require_invoice_signature_help':
- 'Require client to provide their signature.',
- 'require_quote_signature': 'Quote Signature',
- 'enable_portal_password': 'Password Protect Invoices',
+ 'Требуйте к лиента к свою подпись.',
+ 'require_quote_signature': 'Цитата Подпись',
+ 'enable_portal_password': 'Защита паролем Счета',
'enable_portal_password_help':
- 'Allows you to set a password for each contact. If a password is set, the contact will be required to enter a password before viewing invoices.',
- 'authorization': 'Authorization',
+ 'Позволяет к пароль для каждого к онта к т . Если установлен пароль, перед просмотром Счета Ввод к к онта к т',
+ 'authorization': 'Авторизация',
'subdomain': 'Поддомен',
- 'domain': 'Domain',
- 'portal_mode': 'Portal Mode',
+ 'domain': 'Домен',
+ 'portal_mode': 'Режим портала',
'email_signature': 'С Уважением,',
'enable_email_markup_help':
- 'Make it easier for your clients to pay you by adding schema.org markup to your emails.',
- 'plain': 'Plain',
- 'light': 'Light',
- 'dark': 'Dark',
- 'email_design': 'Email Design',
- 'attach_pdf': 'Attach PDF',
- 'attach_documents': 'Attach Documents',
- 'attach_ubl': 'Attach UBL/E-Invoice',
- 'email_style': 'Email Style',
- 'enable_email_markup': 'Enable Markup',
+ 'Упростите к для ваших Клиенты , добавив разметку schema.org к свои электронные письма.',
+ 'plain': 'Простой',
+ 'light': 'Свет',
+ 'dark': 'Темный',
+ 'email_design': 'Дизайн E-mail',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
+ 'email_style': 'Стиль E-mail',
+ 'enable_email_markup': 'Включить разметку',
'reply_to_email': 'Ответить на сообщение',
- 'reply_to_name': 'Reply-To Name',
- 'bcc_email': 'BCC Email',
- 'processed': 'Processed',
- 'credit_card': 'Credit Card',
- 'bank_transfer': 'Bank Transfer',
+ 'reply_to_name': 'Ответ- к Имя',
+ 'bcc_email': 'E-mail BCC',
+ 'processed': 'Обработано',
+ 'credit_card': 'Кредитная карта',
+ 'bank_transfer': 'Банковский перевод',
'priority': 'Приоритет',
- 'fee_amount': 'Fee Amount',
- 'fee_percent': 'Fee Percent',
- 'fee_cap': 'Fee Cap',
- 'limits_and_fees': 'Limits/Fees',
- 'enable_min': 'Enable min',
- 'enable_max': 'Enable max',
- 'min_limit': 'Min: :min',
- 'max_limit': 'Max: :max',
- 'min': 'Min',
- 'max': 'Max',
- 'accepted_card_logos': 'Accepted Card Logos',
- 'credentials': 'Credentials',
+ 'fee_amount': 'Сумма сбора',
+ 'fee_percent': 'Процент комиссии',
+ 'fee_cap': 'Предел платы',
+ 'limits_and_fees': 'Лимиты/Сборы',
+ 'enable_min': 'Включить мин.',
+ 'enable_max': 'Включить макс.',
+ 'min_limit': 'Мин.: :min',
+ 'max_limit': 'Макс: :max',
+ 'min': 'Мин.',
+ 'max': 'Макс',
+ 'accepted_card_logos': 'Принятые логотипы карт',
+ 'credentials': 'Реквизиты для входа',
'update_address': 'Обновить адрес',
'update_address_help':
'Обновить адрес клиента предоставленными сведениями',
'rate': 'Ставка',
'tax_rate': 'Налоговая ставка',
- 'new_tax_rate': 'New Tax Rate',
+ 'new_tax_rate': 'Новая налоговая ставка',
'edit_tax_rate': 'Изменить налоговую ставку',
'created_tax_rate': 'Налоговая ставка создана',
'updated_tax_rate': 'Налоговая ставка обновлена',
'archived_tax_rate': 'Налоговая ставка добавлена в архив',
- 'deleted_tax_rate': 'Successfully deleted tax rate',
- 'restored_tax_rate': 'Successfully restored tax rate',
- 'archived_tax_rates': 'Successfully archived :value tax rates',
- 'deleted_tax_rates': 'Successfully deleted :value tax rates',
- 'restored_tax_rates': 'Successfully restored :value tax rates',
+ 'deleted_tax_rate': 'Ставка налога Успешно Удалён',
+ 'restored_tax_rate': 'Успешно Восстановлен налоговая ставка',
+ 'archived_tax_rates': 'Успешно архивированный :value налоговые ставки',
+ 'deleted_tax_rates': 'Успешно Удалён :value налоговые ставки',
+ 'restored_tax_rates': 'Успешно Восстановлен :value налоговые ставки',
'fill_products': 'Автозаполнение товаров/услуг',
'fill_products_help':
'Выбор товара/услуги автоматически заполнит описание и стоимость',
@@ -89145,26 +89144,26 @@ mixin LocalizationsProvider on LocaleCodeAware {
'Автоматически конвертировать цену продукта в валюту клиента',
'fees': 'Платы',
'limits': 'Лимиты',
- 'provider': 'Provider',
- 'company_gateway': 'Payment Gateway',
- 'company_gateways': 'Payment Gateways',
- 'new_company_gateway': 'New Gateway',
- 'edit_company_gateway': 'Edit Gateway',
- 'created_company_gateway': 'Successfully created gateway',
- 'updated_company_gateway': 'Successfully updated gateway',
- 'archived_company_gateway': 'Successfully archived gateway',
- 'deleted_company_gateway': 'Successfully deleted gateway',
- 'restored_company_gateway': 'Successfully restored gateway',
- 'archived_company_gateways': 'Successfully archived :value gateways',
- 'deleted_company_gateways': 'Successfully deleted :value gateways',
- 'restored_company_gateways': 'Successfully restored :value gateways',
- 'continue_editing': 'Continue Editing',
- 'discard_changes': 'Discard Changes',
- 'default_value': 'Default value',
- 'disabled': 'Disabled',
- 'currency_format': 'Currency Format',
- 'first_day_of_the_week': 'First Day of the Week',
- 'first_month_of_the_year': 'First Month of the Year',
+ 'provider': 'Провайдер',
+ 'company_gateway': 'Платежный Шлюз',
+ 'company_gateways': 'Платеж Gateways',
+ 'new_company_gateway': 'Новый Шлюз',
+ 'edit_company_gateway': 'Редактировать Шлюз',
+ 'created_company_gateway': 'Успешно созданы Шлюз',
+ 'updated_company_gateway': 'Успешно обновил Шлюз',
+ 'archived_company_gateway': 'Успешно архивированный Шлюз',
+ 'deleted_company_gateway': 'Успешно Удалён Шлюз',
+ 'restored_company_gateway': 'Успешно Восстановлен Шлюз',
+ 'archived_company_gateways': 'Успешно архивированный шлюзы :value',
+ 'deleted_company_gateways': 'Успешно Удалён :value шлюзы',
+ 'restored_company_gateways': 'Успешно Восстановлен шлюзы :value',
+ 'continue_editing': 'Продолжить редактирование',
+ 'discard_changes': 'Отменить изменения',
+ 'default_value': 'Значение по умолчанию',
+ 'disabled': 'Неполноценный',
+ 'currency_format': 'Формат валюты',
+ 'first_day_of_the_week': 'Воскресенье',
+ 'first_month_of_the_year': 'Первый месяц года',
'sunday': 'Воскресенье',
'monday': 'Понедельник',
'tuesday': 'Вторник',
@@ -89172,50 +89171,50 @@ mixin LocalizationsProvider on LocaleCodeAware {
'thursday': 'Четверг',
'friday': 'Пятница',
'saturday': 'Суббота',
- 'january': 'January',
- 'february': 'February',
- 'march': 'March',
- 'april': 'April',
- 'may': 'May',
- 'june': 'June',
- 'july': 'July',
- 'august': 'August',
- 'september': 'September',
- 'october': 'October',
- 'november': 'November',
- 'december': 'December',
- 'symbol': 'Symbol',
- 'ocde': 'Code',
- 'date_format': 'Date Format',
- 'datetime_format': 'Datetime Format',
+ 'january': 'январь',
+ 'february': 'февраль',
+ 'march': 'Маршировать',
+ 'april': 'Апрель',
+ 'may': 'Может',
+ 'june': 'Июнь',
+ 'july': 'Июль',
+ 'august': 'Август',
+ 'september': 'Сентябрь',
+ 'october': 'октябрь',
+ 'november': 'ноябрь',
+ 'december': 'декабрь',
+ 'symbol': 'Символ',
+ 'ocde': 'Код',
+ 'date_format': 'Дата Формат',
+ 'datetime_format': 'Дата и время Формат',
'military_time': '24-часовой формат',
- 'military_time_help': '24 Hour Display',
- 'send_reminders': 'Send Reminders',
- 'timezone': 'Timezone',
- 'filtered_by_project': 'Filtered by Project',
- 'filtered_by_group': 'Filtered by Group',
- 'filtered_by_invoice': 'Filtered by Invoice',
- 'filtered_by_client': 'Filtered by Client',
- 'filtered_by_vendor': 'Filtered by Vendor',
- 'group_settings': 'Group Settings',
+ 'military_time_help': '24-часовой дисплей',
+ 'send_reminders': 'Отправить напоминания',
+ 'timezone': 'Часовой пояс',
+ 'filtered_by_project': 'Фильтр по проекту',
+ 'filtered_by_group': 'Отфильтровано по группе',
+ 'filtered_by_invoice': 'Фильтр по Счет',
+ 'filtered_by_client': 'Фильтр по Клиент',
+ 'filtered_by_vendor': 'Фильтр по Продавец',
+ 'group_settings': 'Группа Настройки',
'group': 'Группа',
- 'groups': 'Groups',
- 'new_group': 'New Group',
- 'edit_group': 'Edit Group',
- 'created_group': 'Successfully created group',
- 'updated_group': 'Successfully updated group',
- 'archived_groups': 'Successfully archived :value groups',
- 'deleted_groups': 'Successfully deleted :value groups',
- 'restored_groups': 'Successfully restored :value groups',
- 'archived_group': 'Successfully archived group',
- 'deleted_group': 'Successfully deleted group',
- 'restored_group': 'Successfully restored group',
- 'upload_logo': 'Upload Your Company Logo',
- 'uploaded_logo': 'Successfully uploaded logo',
+ 'groups': 'Группы',
+ 'new_group': 'Новая Группа',
+ 'edit_group': 'Редактировать Группа',
+ 'created_group': 'Успешно созданы группа',
+ 'updated_group': 'Успешно обновленная группа',
+ 'archived_groups': 'Успешно архивированный группы :value',
+ 'deleted_groups': 'Успешно Удалён :value группы',
+ 'restored_groups': 'Успешно Восстановлен :value группы',
+ 'archived_group': 'Успешно архивированный группа',
+ 'deleted_group': 'Успешно Удалён группа',
+ 'restored_group': 'Группа Успешно Восстановлен',
+ 'upload_logo': 'Загрузите логотип вашей компании',
+ 'uploaded_logo': 'Успешно загруженный логотип',
'logo': 'Логотип',
- 'saved_settings': 'Successfully saved settings',
+ 'saved_settings': 'Успешно сохранено Настройки',
'product_settings': 'Настройки товара/услуги',
- 'device_settings': 'Device Settings',
+ 'device_settings': 'Устройство Настройки',
'defaults': 'По умолчанию',
'basic_settings': 'Основные настройки',
'advanced_settings': 'Расширенные настройки',
@@ -89228,64 +89227,64 @@ mixin LocalizationsProvider on LocaleCodeAware {
'import_export': 'Импорт | Экспорт',
'custom_fields': 'Настраиваемые поля',
'invoice_design': 'Дизайн счёта',
- 'buy_now_buttons': 'Buy Now Buttons',
+ 'buy_now_buttons': 'Кнопки «Купить сейчас»',
'email_settings': 'Настройки эл. почты',
'templates_and_reminders': 'Шаблоны и Напоминания',
- 'credit_cards_and_banks': 'Credit Cards & Banks',
+ 'credit_cards_and_banks': 'Кредитные карты и банки',
'data_visualizations': 'Представление данных',
- 'price': 'Price',
- 'email_sign_up': 'Email Sign Up',
- 'google_sign_up': 'Google Sign Up',
- 'thank_you_for_your_purchase': 'Thank you for your purchase!',
- 'redeem': 'Redeem',
- 'back': 'Back',
- 'past_purchases': 'Past Purchases',
- 'annual_subscription': 'Annual Subscription',
- 'pro_plan': 'Pro Plan',
- 'enterprise_plan': 'Enterprise Plan',
- 'count_users': ':count users',
- 'upgrade': 'Upgrade',
- 'please_enter_a_first_name': 'Please enter a first name',
- 'please_enter_a_last_name': 'Please enter a last name',
+ 'price': 'Цена',
+ 'email_sign_up': 'E-mail Подписаться',
+ 'google_sign_up': 'Регистрация в Google',
+ 'thank_you_for_your_purchase': 'Благодарим Вас за покупку!',
+ 'redeem': 'Выкупать',
+ 'back': 'Назад',
+ 'past_purchases': 'Прошлые покупки',
+ 'annual_subscription': 'Годовая подписка',
+ 'pro_plan': 'Профессиональный план',
+ 'enterprise_plan': 'План предприятия',
+ 'count_users': ':count пользователи',
+ 'upgrade': 'Обновление',
+ 'please_enter_a_first_name': 'Пожалуйста, Ввод имя',
+ 'please_enter_a_last_name': 'Пожалуйста, Ввод фамилию',
'please_agree_to_terms_and_privacy':
- 'Please agree to the terms of service and privacy policy to create an account.',
- 'i_agree_to_the': 'I agree to the',
+ 'Пожалуйста, согласитесь к Условия обслуживания и политикой конфиденциальности к Создать учетной записи.',
+ 'i_agree_to_the': 'Я согласен к',
'terms_of_service': 'Условия использования',
- 'privacy_policy': 'Privacy Policy',
+ 'privacy_policy': 'политика конфиденциальности',
'sign_up': 'Зарегистрироваться',
'account_login': 'Логин',
- 'view_website': 'View Website',
- 'create_account': 'Create Account',
- 'email_login': 'Email Login',
- 'create_new': 'Create New',
- 'no_record_selected': 'No record selected',
- 'error_unsaved_changes': 'Please save or cancel your changes',
+ 'view_website': 'Смотреть веб-сайт',
+ 'create_account': 'Создать аккаунт',
+ 'email_login': 'E-mail Войти',
+ 'create_new': 'Создать новый',
+ 'no_record_selected': 'Запись не выбрана',
+ 'error_unsaved_changes': 'Пожалуйста, Сохранить или Отменить изменения.',
'download': 'Скачать',
- 'requires_an_enterprise_plan': 'Requires an Enterprise Plan',
- 'take_picture': 'Take Picture',
- 'upload_files': 'Upload Files',
- 'document': 'Document',
+ 'requires_an_enterprise_plan': 'Требуется корпоративный план',
+ 'take_picture': 'Сфотографировать',
+ 'upload_files': 'Загрузить файлы',
+ 'document': 'Документ',
'documents': 'Документы',
- 'new_document': 'New Document',
- 'edit_document': 'Edit Document',
- 'uploaded_document': 'Successfully uploaded document',
- 'updated_document': 'Successfully updated document',
- 'archived_document': 'Successfully archived document',
- 'deleted_document': 'Successfully deleted document',
- 'restored_document': 'Successfully restored document',
- 'archived_documents': 'Successfully archived :value documents',
- 'deleted_documents': 'Successfully deleted :value documents',
- 'restored_documents': 'Successfully restored :value documents',
- 'no_history': 'No History',
+ 'new_document': 'Новый документ',
+ 'edit_document': 'Редактировать документ',
+ 'uploaded_document': 'Успешно загрузил документ',
+ 'updated_document': 'Успешно обновлен документ',
+ 'archived_document': 'Успешно архивированный документ',
+ 'deleted_document': 'Успешно Удалён документ',
+ 'restored_document': 'Успешно Восстановлен документ',
+ 'archived_documents': 'Успешно архивированный документы :value',
+ 'deleted_documents': 'Успешно Удалён :value документы',
+ 'restored_documents': 'Успешно Восстановлен :value документы',
+ 'no_history': 'Нет истории',
'expense_date': 'Дата Затрат',
'pending': 'Ожидающий',
- 'expense_status_1': 'Logged',
- 'expense_status_2': 'Pending',
- 'expense_status_3': 'Invoiced',
+ 'expense_status_1': 'Зарегистрировано',
+ 'expense_status_2': 'В ожидании',
+ 'expense_status_3': 'Выставлен счет',
'converted': 'Преобразован',
- 'add_documents_to_invoice': 'Add Documents to Invoice',
- 'exchange_rate': 'Exchange Rate',
- 'convert_currency': 'Convert currency',
+ 'add_documents_to_invoice': 'Добавить документы к Счет',
+ 'exchange_rate': 'Обменный курс',
+ 'convert_currency': 'Конвертировать валюту',
'mark_paid': 'Отметить оплаченным',
'category': 'Категория',
'address': 'Адрес',
@@ -89294,23 +89293,23 @@ mixin LocalizationsProvider on LocaleCodeAware {
'updated_vendor': 'Поставщик успешно обновлён',
'archived_vendor': 'Поставщик успешно архивирован',
'deleted_vendor': 'Поставщик успешно удалён',
- 'restored_vendor': 'Successfully restored vendor',
+ 'restored_vendor': 'Успешно Восстановлен Продавец',
'archived_vendors': 'Успешно архивировано :count поставщика(ов)',
'deleted_vendors': 'Успешно удалено :count поставщика(ов)',
- 'restored_vendors': 'Successfully restored :value vendors',
+ 'restored_vendors': 'Успешно Восстановлен :value продавцов',
'new_expense': 'Добавить затраты',
- 'created_expense': 'Successfully created expense',
+ 'created_expense': 'Успешно созданы расходы',
'updated_expense': 'Затраты успешно обновлены',
- 'archived_expense': 'Successfully archived expense',
+ 'archived_expense': 'Успешно архивированный расходы',
'deleted_expense': 'Затраты успешно удалены',
- 'restored_expense': 'Successfully restored expense',
- 'archived_expenses': 'Successfully archived expenses',
+ 'restored_expense': 'Успешно Восстановлен расходы',
+ 'archived_expenses': 'Успешно архивированный расходы',
'deleted_expenses': 'Затраты успешно удалены',
- 'restored_expenses': 'Successfully restored :value expenses',
- 'copy_shipping': 'Copy Shipping',
- 'copy_billing': 'Copy Billing',
- 'design': 'Design',
- 'failed_to_find_record': 'Failed to find record',
+ 'restored_expenses': 'Успешно Восстановлен :value расходы',
+ 'copy_shipping': 'Копировать Доставка',
+ 'copy_billing': 'Копировать счет',
+ 'design': 'Дизайн',
+ 'failed_to_find_record': 'Не удалось к запись',
'invoiced': 'Выставлен счёт',
'logged': 'Учтено',
'running': 'Выполняется',
@@ -89318,14 +89317,14 @@ mixin LocalizationsProvider on LocaleCodeAware {
'task_errors': 'Пожалуйста, исправьте перекрывающиеся интервалы',
'start': 'Старт',
'stop': 'Стоп',
- 'started_task': 'Successfully started task',
+ 'started_task': 'Успешно началась Задача',
'stopped_task': 'Задание успешно остановлено',
'resumed_task': 'Задание успешно возобновлено',
'now': 'Сейчас',
- 'auto_start_tasks': 'Auto Start Tasks',
+ 'auto_start_tasks': 'Автоматически Начать Задачи',
'timer': 'Таймер',
'manual': 'Руководство',
- 'budgeted': 'Budgeted',
+ 'budgeted': 'Бюджетный',
'start_time': 'Время начала',
'end_time': 'Время завершения',
'date': 'Дата',
@@ -89339,39 +89338,39 @@ mixin LocalizationsProvider on LocaleCodeAware {
'restored_task': 'Задание успешно восстановлено',
'archived_tasks': 'Перенесено в архив :count заданий',
'deleted_tasks': 'Удалено :count заданий',
- 'restored_tasks': 'Successfully restored :value tasks',
- 'please_enter_a_name': 'Please enter a name',
- 'budgeted_hours': 'Budgeted Hours',
- 'created_project': 'Successfully created project',
- 'updated_project': 'Successfully updated project',
- 'archived_project': 'Successfully archived project',
- 'deleted_project': 'Successfully deleted project',
- 'restored_project': 'Successfully restored project',
- 'archived_projects': 'Successfully archived :count projects',
- 'deleted_projects': 'Successfully deleted :count projects',
- 'restored_projects': 'Successfully restored :value projects',
- 'new_project': 'New Project',
+ 'restored_tasks': 'Успешно Восстановлен :value задач',
+ 'please_enter_a_name': 'Пожалуйста, Ввод имя',
+ 'budgeted_hours': 'Бюджетные часы',
+ 'created_project': 'Успешно созданы проект',
+ 'updated_project': 'Успешно обновленный проект',
+ 'archived_project': 'Успешно архивированный проект',
+ 'deleted_project': 'Успешно Удалён проект',
+ 'restored_project': 'Успешно Восстановлен проект',
+ 'archived_projects': 'Успешно архивированный проекты :count',
+ 'deleted_projects': 'Успешно Удалён :count проектов',
+ 'restored_projects': 'Успешно Восстановлен :value проектов',
+ 'new_project': 'Новый проект',
'thank_you_for_using_our_app': 'Спасибо что используете наше приложение!',
- 'if_you_like_it': 'If you like it please',
+ 'if_you_like_it': 'Если вам понравилось, пожалуйста',
'click_here': 'нажмите сюда',
- 'click_here_capital': 'Click here',
- 'to_rate_it': 'to rate it.',
- 'average': 'Average',
+ 'click_here_capital': 'кликните сюда',
+ 'to_rate_it': 'к оцените это.',
+ 'average': 'Средний',
'unapproved': 'Неподтверждённые',
'authenticate_to_change_setting':
- 'Please authenticate to change this setting',
+ 'Пожалуйста, пройдите аутентификацию к изменить эту настройку',
'locked': 'Заблокировано',
- 'authenticate': 'Authenticate',
- 'please_authenticate': 'Please authenticate',
- 'biometric_authentication': 'Biometric Authentication',
+ 'authenticate': 'Аутентифицировать',
+ 'please_authenticate': 'Пожалуйста, подтвердите подлинность',
+ 'biometric_authentication': 'Биометрическая аутентификация',
'footer': 'Нижний колонтитул',
'compare': 'Сравнить',
- 'hosted_login': 'Hosted Login',
- 'selfhost_login': 'Selfhost Login',
- 'google_sign_in': 'Sign in with Google',
+ 'hosted_login': 'Хостинг-логин',
+ 'selfhost_login': 'Вход в Selfhost',
+ 'google_sign_in': 'Войти через Google',
'today': 'Сегодня',
- 'custom_range': 'Custom Range',
- 'date_range': 'Date Range',
+ 'custom_range': 'Custom диапазон',
+ 'date_range': 'Диапазон дат',
'current': 'Текущий',
'previous': 'Предыдущий',
'current_period': 'Текущий период',
@@ -89384,16 +89383,16 @@ mixin LocalizationsProvider on LocaleCodeAware {
'last30_days': 'Последние 30 дней',
'this_month': 'Текущий месяц',
'last_month': 'Прошлый месяц',
- 'this_year': 'This Year',
+ 'this_year': 'В этом году',
'last_year': 'Прошлый год',
- 'all_time': 'All Time',
+ 'all_time': 'Все время',
'custom': 'Настроить',
'clone_to_invoice': 'Добавить в счёт',
'clone_to_quote': 'Добавить в Прайс-лист',
- 'clone_to_credit': 'Clone to Credit',
+ 'clone_to_credit': 'Клон к Кредит',
'view_invoice': 'Посмотреть счет',
'convert': 'Конвертирован',
- 'more': 'More',
+ 'more': 'Более',
'edit_client': 'Изменить клиента',
'edit_product': 'Редактировать товар/услугу',
'edit_invoice': 'Изменить счёт',
@@ -89402,10 +89401,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'edit_task': 'Редактировать задание',
'edit_expense': 'Редактировать затраты',
'edit_vendor': 'Редактировать Поставщика',
- 'edit_project': 'Edit Project',
- 'edit_recurring_quote': 'Edit Recurring Quote',
+ 'edit_project': 'Редактировать проект',
+ 'edit_recurring_quote': 'Редактировать Повторяющийся цитата',
'billing_address': 'Адрес для выставления счетов',
- 'shipping_address': 'Shipping Address',
+ 'shipping_address': 'Адрес доставки',
'total_revenue': 'Совокупный доход',
'average_invoice': 'Средний счёт',
'outstanding': 'Исходящие',
@@ -89415,7 +89414,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'email': 'Эл. почта',
'password': 'Пароль',
'url': 'URL',
- 'secret': 'Secret',
+ 'secret': 'Секрет',
'name': 'Название',
'logout': 'Выйти',
'login': 'Логин',
@@ -89429,38 +89428,38 @@ mixin LocalizationsProvider on LocaleCodeAware {
'archive': 'Архивировать',
'delete': 'Удалить',
'restore': 'Восстановить',
- 'refresh_complete': 'Refresh Complete',
- 'please_enter_your_email': 'Please enter your email',
- 'please_enter_your_password': 'Please enter your password',
- 'please_enter_your_url': 'Please enter your URL',
+ 'refresh_complete': 'Обновить завершено',
+ 'please_enter_your_email': 'Пожалуйста Ввод ваш E-mail',
+ 'please_enter_your_password': 'Пожалуйста, Ввод ваш пароль',
+ 'please_enter_your_url': 'Пожалуйста, Ввод ваш URL',
'please_enter_a_product_key': 'Пожалуйста, введите код товара/услуги',
- 'ascending': 'Ascending',
- 'descending': 'Descending',
+ 'ascending': 'По возрастанию',
+ 'descending': 'По убыванию',
'save': 'Сохранить',
- 'an_error_occurred': 'An error occurred',
+ 'an_error_occurred': 'Произошла ошибка',
'paid_to_date': 'Оплачено',
'balance_due': 'Неоплачено',
'balance': 'К оплате',
- 'overview': 'Overview',
+ 'overview': 'Обзор',
'details': 'Детали',
'phone': 'Телефон',
'website': 'Веб-сайт',
'vat_number': 'регистрационный номер плательщика НДС',
'id_number': 'Идентификационный номер',
'create': 'Создать',
- 'copied_to_clipboard': 'Copied :value to the clipboard',
+ 'copied_to_clipboard': 'Скопировал :value к буфер обмена',
'error': 'Ошибка',
- 'could_not_launch': 'Could not launch',
+ 'could_not_launch': 'Не удалось запустить',
'contacts': 'Контакты',
- 'additional': 'Additional',
+ 'additional': 'Дополнительный',
'first_name': 'Имя',
'last_name': 'Фамилия',
'add_contact': 'Добавить контакт',
'are_you_sure': 'Вы уверены?',
'cancel': 'Отмена',
'ok': 'Ok',
- 'remove': 'Remove',
- 'email_is_invalid': 'Email is invalid',
+ 'remove': 'Удалять',
+ 'email_is_invalid': 'Недействительный E-mail',
'product': 'Товар/услуга',
'products': 'Товары/Услуги',
'new_product': 'Новый товар/услуга',
@@ -89468,13 +89467,13 @@ mixin LocalizationsProvider on LocaleCodeAware {
'updated_product': 'Информация о товаре/услуге успешно обновлёна',
'archived_product': 'Товар/услуга перенесен в архив',
'deleted_product': 'Товар/услуга успешно удалены',
- 'restored_product': 'Successfully restored product',
- 'archived_products': 'Successfully archived :count products',
- 'deleted_products': 'Successfully deleted :count products',
- 'restored_products': 'Successfully restored :value products',
+ 'restored_product': 'Успешно Восстановлен товар',
+ 'archived_products': 'Успешно архивированный :count товаров',
+ 'deleted_products': 'Успешно Удалён :count товаров',
+ 'restored_products': 'Успешно Восстановлен :value товаров',
'product_key': 'Товар/услуга',
'notes': 'Заметки',
- 'cost': 'Cost',
+ 'cost': 'Расходы',
'client': 'Клиент',
'clients': 'Клиенты',
'new_client': 'Новый клиент',
@@ -89485,7 +89484,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'deleted_client': 'Клиент успешно удалён',
'deleted_clients': 'Успешно удалено :count клиента(ов)',
'restored_client': 'Клиент восстановлен',
- 'restored_clients': 'Successfully restored :value clients',
+ 'restored_clients': 'Успешно Восстановлен :value Клиенты',
'address1': 'Улица',
'address2': 'Дом/Офис',
'city': 'Город',
@@ -89502,9 +89501,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'restored_invoice': 'Счёт успешно восстановлен',
'archived_invoices': 'Успешно архивировано :count счта(ов)',
'deleted_invoices': 'Успешно удалено :count счта(ов)',
- 'restored_invoices': 'Successfully restored :value invoices',
+ 'restored_invoices': 'Успешно Восстановлен :value Счета',
'emailed_invoice': 'Счет успешно отправлен по почте',
- 'emailed_payment': 'Successfully emailed payment',
+ 'emailed_payment': 'Успешно отправил письмо Платеж',
'amount': 'Всего',
'invoice_number': 'Номер счёта',
'invoice_date': 'Дата счёта',
@@ -89519,106 +89518,107 @@ mixin LocalizationsProvider on LocaleCodeAware {
'quote_number': 'Номер котировки',
'quote_date': 'Дата котировки',
'valid_until': 'Действителен до',
- 'items': 'Items',
+ 'items': 'Предметы',
'partial_deposit': 'Частичная оплата',
'description': 'Описание',
'unit_cost': 'Стоимость за единицу',
'quantity': 'Количество',
- 'add_item': 'Add Item',
+ 'add_item': 'Добавить товар',
'contact': 'Контакт',
'work_phone': 'Телефон',
- 'total_amount': 'Total Amount',
+ 'total_amount': 'Сумма Итого',
'pdf': 'PDF',
'due_date': 'Срок оплаты',
- 'partial_due_date': 'Partial Due Date',
- 'paid_date': 'Paid Date',
+ 'partial_due_date': 'Частичная дата оплаты',
+ 'paid_date': 'Дата оплаты',
'status': 'Статус',
'invoice_status_id': 'Статус Счёта',
- 'quote_status': 'Quote Status',
- 'click_plus_to_add_item': 'Click + to add an item',
- 'click_plus_to_add_time': 'Click + to add time',
- 'count_selected': ':count selected',
+ 'quote_status': 'Статус цитаты',
+ 'click_plus_to_add_item': 'Нажмите + к Добавить элемент.',
+ 'click_plus_to_add_time': 'Нажмите + к Добавить время.',
+ 'count_selected': ':count выбран',
'total': 'Всего',
'percent': 'Процент',
'edit': 'Редактировать',
- 'dismiss': 'Dismiss',
+ 'dismiss': 'Увольнять',
'please_select_a_date': 'Пожалуйста, выбирите дату',
'please_select_a_client': 'Пожалуйста, выбирите клиента',
- 'please_select_an_invoice': 'Please select an invoice',
- 'task_rate': 'Task Rate',
+ 'please_select_an_invoice': 'Пожалуйста, выберите Счет',
+ 'task_rate': 'Задача Оценить',
'settings': 'Настройки',
'language': 'Язык',
'currency': 'Валюта',
'created_at': 'Дата создания',
- 'created_on': 'Created On',
- 'updated_at': 'Updated',
+ 'created_on': 'созданы',
+ 'updated_at': 'Обновлено',
'tax': 'Налог',
- 'please_enter_an_invoice_number': 'Please enter an invoice number',
- 'please_enter_a_quote_number': 'Please enter a quote number',
- 'past_due': 'Past Due',
+ 'please_enter_an_invoice_number': 'Пожалуйста, Ввод номер Счет',
+ 'please_enter_a_quote_number': 'Пожалуйста, Ввод номер цитаты',
+ 'past_due': 'Просроченный',
'draft': 'Черновик',
'sent': 'Отправить',
- 'viewed': 'Viewed',
- 'approved': 'Approved',
+ 'viewed': 'Просмотрено',
+ 'approved': 'Одобрено',
'partial': 'Частичная оплата',
'paid': 'Оплачено',
'mark_sent': 'Отметить отправленным',
- 'marked_invoice_as_sent': 'Successfully marked invoice as sent',
- 'marked_invoice_as_paid': 'Successfully marked invoice as paid',
- 'marked_invoices_as_sent': 'Successfully marked invoices as sent',
- 'marked_invoices_as_paid': 'Successfully marked invoices as paid',
+ 'marked_invoice_as_sent': 'Успешно пометил Счет как отправленный',
+ 'marked_invoice_as_paid': 'Успешно пометил Счет как оплаченный',
+ 'marked_invoices_as_sent': 'Успешно пометил Счета как отправленный',
+ 'marked_invoices_as_paid': 'Успешно пометил Счета как оплаченный',
'done': 'Готово',
'please_enter_a_client_or_contact_name':
- 'Please enter a client or contact name',
+ 'Пожалуйста, Ввод имя клиента или контакт .',
'dark_mode': 'Темная тема',
- 'restart_app_to_apply_change': 'Restart the app to apply the change',
+ 'restart_app_to_apply_change':
+ 'Перезапустите приложение, к применить изменения.',
'refresh_data': 'Обновить Данные',
- 'blank_contact': 'Blank Contact',
+ 'blank_contact': 'Пустой контакт',
'activity': 'Активность',
- 'no_records_found': 'No records found',
+ 'no_records_found': 'Записи не найдены',
'clone': 'Копировать',
'loading': 'Загружается',
- 'industry': 'Industry',
+ 'industry': 'Промышленность',
'size': 'Размер',
'payment_terms': 'Условия оплаты',
'payment_date': 'Дата платежа',
'payment_status': 'Статус Платежа',
- 'payment_status_1': 'Pending',
- 'payment_status_2': 'Voided',
- 'payment_status_3': 'Failed',
- 'payment_status_4': 'Completed',
- 'payment_status_5': 'Partially Refunded',
- 'payment_status_6': 'Refunded',
- 'payment_status_-1': 'Unapplied',
- 'payment_status_-2': 'Partially Unapplied',
- 'net': 'Net',
- 'client_portal': 'Client Portal',
- 'show_tasks': 'Show tasks',
- 'email_reminders': 'Email Reminders',
- 'enabled': 'Enabled',
+ 'payment_status_1': 'В ожидании',
+ 'payment_status_2': 'Аннулирован',
+ 'payment_status_3': 'Неуспешный',
+ 'payment_status_4': 'Завершенный',
+ 'payment_status_5': 'Частично возмещено',
+ 'payment_status_6': 'Возврат денег',
+ 'payment_status_-1': 'Неприменимо',
+ 'payment_status_-2': 'Частично не применяется',
+ 'net': 'Сеть',
+ 'client_portal': 'Клиент Портал',
+ 'show_tasks': 'Показать задачи',
+ 'email_reminders': 'Напоминания E-mail',
+ 'enabled': 'Включено',
'recipients': 'Получатели',
- 'initial_email': 'Initial Email',
+ 'initial_email': 'Первоначальный E-mail',
'first_reminder': 'Первое напоминание',
'second_reminder': 'Второе напоминание',
'third_reminder': 'Третье напоминание',
- 'reminder1': 'First Reminder',
- 'reminder2': 'Second Reminder',
- 'reminder3': 'Third Reminder',
+ 'reminder1': 'Первое напоминание',
+ 'reminder2': 'Второе напоминание',
+ 'reminder3': 'Третье напоминание',
'template': 'Шаблон',
- 'send': 'Send',
+ 'send': 'Отправлять',
'subject': 'Тема',
'body': 'Содержание',
'send_email': 'Отправить эл.почту',
'email_receipt': 'Отправлять клиенту квитанцию об оплате по эл.почте',
- 'auto_billing': 'Auto billing',
+ 'auto_billing': 'Автоматический биллинг',
'button': 'Кнопка',
- 'preview': 'Preview',
+ 'preview': 'Предварительный просмотр',
'customize': 'Настроить',
'history': 'История',
'payment': 'Платёж',
'payments': 'Оплаты',
- 'refunded': 'Refunded',
- 'payment_type': 'Payment Type',
+ 'refunded': 'Возврат денег',
+ 'payment_type': 'Тип Платеж',
'transaction_reference': 'Референс транзакции',
'enter_payment': 'Добавить оплату',
'new_payment': 'Добавить оплату',
@@ -89629,7 +89629,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'restored_payment': 'Платёж восстановлен',
'archived_payments': 'Успешно архивировано :count платежа(ей)',
'deleted_payments': 'Успешно удалено :count платежа(ей)',
- 'restored_payments': 'Successfully restored :value payments',
+ 'restored_payments': 'Успешно Восстановлен :value Платежи',
'quote': 'Котировка',
'quotes': 'Прайс-листы',
'new_quote': 'Новая котировка',
@@ -89637,197 +89637,200 @@ mixin LocalizationsProvider on LocaleCodeAware {
'updated_quote': 'Прайс-лист успешно обновлён',
'archived_quote': 'Прайс-лист перемещен в архив',
'deleted_quote': 'Котировка успешно удалена',
- 'restored_quote': 'Successfully restored quote',
+ 'restored_quote': 'Успешно Восстановлен цитата',
'archived_quotes': 'Перенесено в архив :count котировок',
- 'deleted_quotes': 'Successfully deleted :count quotes',
- 'restored_quotes': 'Successfully restored :value quotes',
+ 'deleted_quotes': 'Успешно Удалён :count цитат',
+ 'restored_quotes': 'Успешно Восстановлен :value цитат',
'expense': 'Затрата',
'expenses': 'Затраты',
- 'vendor': 'Vendor',
- 'vendors': 'Vendors',
- 'task': 'Task',
+ 'vendor': 'Продавец',
+ 'vendors': 'Поставщики',
+ 'task': 'Задача',
'tasks': 'Задание',
- 'project': 'Project',
- 'projects': 'Projects',
+ 'project': 'Проект',
+ 'projects': 'Проекты',
'activity_1': ':user Создал Клиента :client',
- 'activity_2': ':user archived client :client',
- 'activity_3': ':user deleted client :client',
+ 'activity_2': ':user архивированный клиента :client',
+ 'activity_3': ':user Удалён клиента :client',
'activity_4': ':user Создал Счёт :invoice',
'activity_5': ':user Обновил счёт :invoice',
- 'activity_6': ':user emailed invoice :invoice for :client to :contact',
- 'activity_7': ':contact viewed invoice :invoice for :client',
- 'activity_8': ':user archived invoice :invoice',
- 'activity_9': ':user deleted invoice :invoice',
+ 'activity_6':
+ ':user отправил электронное письмо Счет :invoice для :client к :contact',
+ 'activity_7': ':contact просмотрено Счет :invoice для :client',
+ 'activity_8': ':user архивированный Счет :invoice',
+ 'activity_9': ':user Удалён Счет :invoice',
'activity_10':
- ':user entered payment :payment for :payment_amount on invoice :invoice for :client',
- 'activity_11': ':user updated payment :payment',
- 'activity_12': ':user archived payment :payment',
- 'activity_13': ':user deleted payment :payment',
- 'activity_14': ':user entered :credit credit',
- 'activity_15': ':user updated :credit credit',
- 'activity_16': ':user archived :credit credit',
- 'activity_17': ':user deleted :credit credit',
- 'activity_18': ':user created quote :quote',
- 'activity_19': ':user updated quote :quote',
- 'activity_20': ':user emailed quote :quote for :client to :contact',
- 'activity_21': ':contact viewed quote :quote',
- 'activity_22': ':user archived quote :quote',
- 'activity_23': ':user deleted quote :quote',
- 'activity_24': ':user restored quote :quote',
- 'activity_25': ':user restored invoice :invoice',
- 'activity_26': ':user restored client :client',
- 'activity_27': ':user restored payment :payment',
- 'activity_28': ':user restored :credit credit',
- 'activity_29': ':contact approved quote :quote for :client',
- 'activity_30': ':user created vendor :vendor',
- 'activity_31': ':user archived vendor :vendor',
- 'activity_32': ':user deleted vendor :vendor',
- 'activity_33': ':user restored vendor :vendor',
- 'activity_34': ':user created expense :expense',
- 'activity_35': ':user archived expense :expense',
+ ':user ввел Платеж :payment для :payment _сумма на Счет :invoice для :client',
+ 'activity_11': ':user обновлен Платеж :payment',
+ 'activity_12': ':user архивированный Платеж :payment',
+ 'activity_13': ':user Удалён Платеж :payment',
+ 'activity_14': ':user вошел :credit кредит',
+ 'activity_15': ':user обновлен кредит :credit',
+ 'activity_16': ':user архивированный кредит :credit',
+ 'activity_17': ':user Удалён :credit кредит',
+ 'activity_18': ':user созданы цитата :quote',
+ 'activity_19': ':user обновленная цитата :quote',
+ 'activity_20':
+ ':user отправила по электронной почте цитату :quote для :client к :contact',
+ 'activity_21': ':contact просмотренная цитата :quote',
+ 'activity_22': ':user архивированный цитата :quote',
+ 'activity_23': ':user Удалён цитата :quote',
+ 'activity_24': ':user Восстановлен цитата :quote',
+ 'activity_25': ':user Восстановлен Счет :invoice',
+ 'activity_26': ':user Восстановлен клиента :client',
+ 'activity_27': ':user Восстановлен Платеж :payment',
+ 'activity_28': ':user Восстановлен :credit кредит',
+ 'activity_29': ':contact Одобрено цитата :quote для :client',
+ 'activity_30': ':user созданы Продавец :vendor',
+ 'activity_31': ':user архивированный Продавец :vendor',
+ 'activity_32': ':user Удалён Продавец :vendor',
+ 'activity_33': ':user Восстановлен Продавец :vendor',
+ 'activity_34': ':user созданы расходы :expense',
+ 'activity_35': ':user архивированный расходы :expense',
'activity_36': ':user Удалил Затраты :expense',
- 'activity_37': ':user restored expense :expense',
- 'activity_39': ':user cancelled a :payment_amount payment :payment',
+ 'activity_37': ':user Восстановлен расходы :expense',
+ 'activity_39': ':user отменил :payment _amount Платеж :payment',
'activity_40':
- ':user refunded :adjustment of a :payment_amount payment :payment',
- 'activity_41': ':payment_amount payment (:payment) failed',
- 'activity_42': ':user created task :task',
- 'activity_43': ':user updated task :task',
- 'activity_44': ':user archived task :task',
- 'activity_45': ':user deleted task :task',
- 'activity_46': ':user restored task :task',
+ ':user возмещено :adjustment из :payment _amount Платеж :payment',
+ 'activity_41': ':payment _amount Платеж ( :payment ) не удалось',
+ 'activity_42': ':user созданы Задача :task',
+ 'activity_43': ':user обновлено Задача :task',
+ 'activity_44': ':user архивированный Задача :task',
+ 'activity_45': ':user Удалён Задача :task',
+ 'activity_46': ':user Восстановлен Задача :task',
'activity_47': ':user Обновил Затраты :expense',
- 'activity_48': ':user created user :user',
- 'activity_49': ':user updated user :user',
- 'activity_50': ':user archived user :user',
- 'activity_51': ':user deleted user :user',
- 'activity_52': ':user restored user :user',
- 'activity_53': ':user marked sent :invoice',
- 'activity_54': ':user paid invoice :invoice',
- 'activity_55': ':contact replied ticket :ticket',
- 'activity_56': ':user viewed ticket :ticket',
- 'activity_57': 'System failed to email invoice :invoice',
- 'activity_58': ':user reversed invoice :invoice',
- 'activity_59': ':user cancelled invoice :invoice',
- 'activity_60': ':contact viewed quote :quote',
- 'activity_61': ':user updated client :client',
- 'activity_62': ':user updated vendor :vendor',
+ 'activity_48': ':user созданы Пользователь :user',
+ 'activity_49': ':user обновлено Пользователь :user',
+ 'activity_50': ':user архивированный Пользователь :user',
+ 'activity_51': ':user Удалён Пользователь :user',
+ 'activity_52': ':user Восстановлен Пользователь :user',
+ 'activity_53': ':user помечено как отправленное :invoice',
+ 'activity_54': ':user платная Счет :invoice',
+ 'activity_55': ':contact ответил Тикет : Тикет',
+ 'activity_56': ':user просмотрено Тикет : Тикет',
+ 'activity_57': 'Ошибка системы к E-mail Счет :invoice',
+ 'activity_58': ':user перевернутый Счет :invoice',
+ 'activity_59': ':user отменен Счет :invoice',
+ 'activity_60': ':contact просмотренная цитата :quote',
+ 'activity_61': ':user обновлен клиента :client',
+ 'activity_62': ':user Продавец :vendor',
'activity_63':
- ':user emailed first reminder for invoice :invoice to :contact',
+ ':user отправил первое напоминание по электронной почте для Счет :invoice к :contact',
'activity_64':
- ':user emailed second reminder for invoice :invoice to :contact',
+ ':user отправил второе напоминание по электронной почте для Счет :invoice к :contact',
'activity_65':
- ':user emailed third reminder for invoice :invoice to :contact',
+ ':user отправил по электронной почте третье напоминание для Счет :invoice к :contact',
'activity_66':
- ':user emailed endless reminder for invoice :invoice to :contact',
- 'activity_80': ':user created subscription :subscription',
- 'activity_81': ':user updated subscription :subscription',
- 'activity_82': ':user archived subscription :subscription',
- 'activity_83': ':user deleted subscription :subscription',
- 'activity_84': ':user restored subscription :subscription',
- 'one_time_password': 'One Time Password',
+ ':user отправил по электронной почте бесконечное напоминание для Счет :invoice к :contact',
+ 'activity_80': ':user созданы подписку :subscription',
+ 'activity_81': ':user обновленная подписка :subscription',
+ 'activity_82': ':user архивированный подписка :subscription',
+ 'activity_83': ':user Удалён подписка :subscription',
+ 'activity_84': ':user Восстановлен подписка :subscription',
+ 'one_time_password': 'Одноразовый пароль',
'emailed_quote': 'Прайс-лист успешно отправлен',
- 'emailed_credit': 'Successfully emailed credit',
- 'marked_quote_as_sent': 'Successfully marked quote as sent',
- 'marked_credit_as_sent': 'Successfully marked credit as sent',
- 'expired': 'Expired',
- 'all': 'All',
+ 'emailed_credit': 'Успешно отправленный по электронной почте кредит',
+ 'marked_quote_as_sent': 'Успешно пометил цитату как отправленную',
+ 'marked_credit_as_sent': 'Успешно пометил кредит как отправленный',
+ 'expired': 'Истекший',
+ 'all': 'Все',
'select': 'Выбрать',
- 'long_press_multiselect': 'Long-press Multiselect',
- 'custom_value1': 'Custom Value 1',
- 'custom_value2': 'Custom Value 2',
- 'custom_value3': 'Custom Value 3',
- 'custom_value4': 'Custom Value 4',
- 'email_style_custom': 'Custom Email Style',
- 'custom_message_dashboard': 'Custom Dashboard Message',
- 'custom_message_unpaid_invoice': 'Custom Unpaid Invoice Message',
- 'custom_message_paid_invoice': 'Custom Paid Invoice Message',
- 'custom_message_unapproved_quote': 'Custom Unapproved Quote Message',
- 'lock_invoices': 'Lock Invoices',
- 'translations': 'Translations',
- 'task_number_pattern': 'Task Number Pattern',
- 'task_number_counter': 'Task Number Counter',
- 'expense_number_pattern': 'Expense Number Pattern',
- 'expense_number_counter': 'Expense Number Counter',
- 'vendor_number_pattern': 'Vendor Number Pattern',
- 'vendor_number_counter': 'Vendor Number Counter',
- 'ticket_number_pattern': 'Ticket Number Pattern',
- 'ticket_number_counter': 'Ticket Number Counter',
- 'payment_number_pattern': 'Payment Number Pattern',
- 'payment_number_counter': 'Payment Number Counter',
- 'invoice_number_pattern': 'Invoice Number Pattern',
+ 'long_press_multiselect': 'Длительное нажатие на функцию «Мультиселект»',
+ 'custom_value1': 'Custom значение 1',
+ 'custom_value2': 'Custom значение 2',
+ 'custom_value3': 'Custom значение 3',
+ 'custom_value4': 'Custom значение 4',
+ 'email_style_custom': 'Custom стиль E-mail',
+ 'custom_message_dashboard': 'Custom Сообщение панель',
+ 'custom_message_unpaid_invoice': 'Custom неоплаченный Счет Сообщение',
+ 'custom_message_paid_invoice': 'Custom платный Счет Сообщение',
+ 'custom_message_unapproved_quote':
+ 'Custom неутвержденное предложение Сообщение',
+ 'lock_invoices': 'Lock Счета',
+ 'translations': 'Переводы',
+ 'task_number_pattern': 'Задача Числовой Образец',
+ 'task_number_counter': 'Задача Счетчик чисел',
+ 'expense_number_pattern': 'расходы Номер Pattern',
+ 'expense_number_counter': 'расходы Счетчик Номеров',
+ 'vendor_number_pattern': 'Шаблон номера Продавец',
+ 'vendor_number_counter': 'Продавец Счетчик номеров',
+ 'ticket_number_pattern': 'Номер Тикет Pattern',
+ 'ticket_number_counter': 'Счетчик номеров Тикет',
+ 'payment_number_pattern': 'Платеж Номер Pattern',
+ 'payment_number_counter': 'Счетчик номеров Платеж',
+ 'invoice_number_pattern': 'Счет Номер Шаблон',
'invoice_number_counter': 'Счетчик номера счёта',
- 'quote_number_pattern': 'Quote Number Pattern',
- 'quote_number_counter': 'Quote Number Counter',
- 'client_number_pattern': 'Credit Number Pattern',
- 'client_number_counter': 'Credit Number Counter',
- 'credit_number_pattern': 'Credit Number Pattern',
- 'credit_number_counter': 'Credit Number Counter',
- 'reset_counter_date': 'Reset Counter Date',
- 'counter_padding': 'Counter Padding',
- 'shared_invoice_quote_counter': 'Share Invoice/Quote Counter',
- 'default_tax_name_1': 'Default Tax Name 1',
- 'default_tax_rate_1': 'Default Tax Rate 1',
- 'default_tax_name_2': 'Default Tax Name 2',
- 'default_tax_rate_2': 'Default Tax Rate 2',
- 'default_tax_name_3': 'Default Tax Name 3',
- 'default_tax_rate_3': 'Default Tax Rate 3',
- 'email_subject_invoice': 'Email Invoice Subject',
- 'email_subject_quote': 'Email Quote Subject',
- 'email_subject_payment': 'Email Payment Subject',
- 'email_subject_payment_partial': 'Email Partial Payment Subject',
- 'show_table': 'Show Table',
- 'show_list': 'Show List',
- 'client_city': 'Client City',
- 'client_state': 'Client State',
- 'client_country': 'Client Country',
- 'client_is_active': 'Client is Active',
- 'client_balance': 'Client Balance',
- 'client_address1': 'Client Street',
- 'client_address2': 'Client Apt/Suite',
- 'vendor_address1': 'Vendor Street',
- 'vendor_address2': 'Vendor Apt/Suite',
- 'client_shipping_address1': 'Client Shipping Street',
- 'client_shipping_address2': 'Client Shipping Apt/Suite',
+ 'quote_number_pattern': 'Цитата Номер Шаблон',
+ 'quote_number_counter': 'Счетчик количества цитат',
+ 'client_number_pattern': 'Шаблон номера кредита',
+ 'client_number_counter': 'Счетчик кредитных номеров',
+ 'credit_number_pattern': 'Шаблон номера кредита',
+ 'credit_number_counter': 'Счетчик кредитных номеров',
+ 'reset_counter_date': 'Сбросить дату счетчика',
+ 'counter_padding': 'Заполнение счетчика',
+ 'shared_invoice_quote_counter': 'Поделиться Счет / Цитата Счетчик',
+ 'default_tax_name_1': 'Название налога по умолчанию 1',
+ 'default_tax_rate_1': 'Ставка налога по умолчанию 1',
+ 'default_tax_name_2': 'Название налога по умолчанию 2',
+ 'default_tax_rate_2': 'Ставка налога по умолчанию 2',
+ 'default_tax_name_3': 'Название налога по умолчанию 3',
+ 'default_tax_rate_3': 'Ставка налога по умолчанию 3',
+ 'email_subject_invoice': 'E-mail Счет Тема',
+ 'email_subject_quote': 'Тема цитаты E-mail',
+ 'email_subject_payment': 'E-mail Платеж Тема',
+ 'email_subject_payment_partial': 'E-mail Частичный Платеж Тема',
+ 'show_table': 'Показать таблицу',
+ 'show_list': 'Показать список',
+ 'client_city': 'Клиент Город',
+ 'client_state': 'Клиент State',
+ 'client_country': 'Страна Клиент',
+ 'client_is_active': 'Клиент активен',
+ 'client_balance': 'Клиент Баланс',
+ 'client_address1': 'Клиент Стрит',
+ 'client_address2': 'Клиент Apt/Suite',
+ 'vendor_address1': 'Продавец Street',
+ 'vendor_address2': 'Продавец Apt/Suite',
+ 'client_shipping_address1': 'Клиент Shipping Street',
+ 'client_shipping_address2': 'Клиент Доставка Квартира/Комплекс',
'type': 'Тип',
- 'invoice_amount': 'Invoice Amount',
+ 'invoice_amount': 'Сумма Счет',
'invoice_due_date': 'Срок оплаты',
- 'tax_rate1': 'Tax Rate 1',
- 'tax_rate2': 'Tax Rate 2',
- 'tax_rate3': 'Tax Rate 3',
+ 'tax_rate1': 'Ставка налога 1',
+ 'tax_rate2': 'Налоговая ставка 2',
+ 'tax_rate3': 'Налоговая ставка 3',
'auto_bill': 'Авто-счет',
- 'archived_at': 'Archived At',
- 'has_expenses': 'Has Expenses',
- 'custom_taxes1': 'Custom Taxes 1',
- 'custom_taxes2': 'Custom Taxes 2',
- 'custom_taxes3': 'Custom Taxes 3',
- 'custom_taxes4': 'Custom Taxes 4',
- 'custom_surcharge1': 'Custom Surcharge 1',
- 'custom_surcharge2': 'Custom Surcharge 2',
- 'custom_surcharge3': 'Custom Surcharge 3',
- 'custom_surcharge4': 'Custom Surcharge 4',
- 'is_deleted': 'Is Deleted',
- 'vendor_city': 'Vendor City',
- 'vendor_state': 'Vendor State',
- 'vendor_country': 'Vendor Country',
- 'is_approved': 'Is Approved',
- 'tax_name': 'Tax Name',
- 'tax_amount': 'Tax Amount',
- 'tax_paid': 'Tax Paid',
+ 'archived_at': 'архивированный по адресу',
+ 'has_expenses': 'Имеет расходы',
+ 'custom_taxes1': 'Custom налоги 1',
+ 'custom_taxes2': 'Custom налоги 2',
+ 'custom_taxes3': 'Custom налоги 3',
+ 'custom_taxes4': 'Custom налоги 4',
+ 'custom_surcharge1': 'Custom доплата 1',
+ 'custom_surcharge2': 'Custom доплата 2',
+ 'custom_surcharge3': 'Custom надбавка 3',
+ 'custom_surcharge4': 'Custom надбавка 4',
+ 'is_deleted': 'Is Удалён',
+ 'vendor_city': 'Продавец City',
+ 'vendor_state': 'Продавец State',
+ 'vendor_country': 'Страна Продавец',
+ 'is_approved': 'Одобрено',
+ 'tax_name': 'Наименование налога',
+ 'tax_amount': 'Сумма налога',
+ 'tax_paid': 'Налог уплачен',
'payment_amount': 'Сумма платежа',
'age': 'Возраст',
- 'is_running': 'Is Running',
- 'time_log': 'Time Log',
- 'bank_id': 'Bank',
- 'expense_category_id': 'Expense Category ID',
+ 'is_running': 'Работает',
+ 'time_log': 'Журнал времени',
+ 'bank_id': 'Банк',
+ 'expense_category_id': 'ID категории расходы',
'expense_category': 'Категория затрат',
- 'invoice_currency_id': 'Invoice Currency ID',
- 'tax_name1': 'Tax Name 1',
- 'tax_name2': 'Tax Name 2',
- 'tax_name3': 'Tax Name 3',
- 'transaction_id': 'Transaction ID',
- 'status_color_theme': 'Status Color Theme',
- 'load_color_theme': 'Load Color Theme',
+ 'invoice_currency_id': 'Счет Идентификатор валюты',
+ 'tax_name1': 'Налоговое наименование 1',
+ 'tax_name2': 'Налоговое наименование 2',
+ 'tax_name3': 'Налоговое наименование 3',
+ 'transaction_id': 'Идентификатор транзакции',
+ 'status_color_theme': 'Цветовая тема статуса',
+ 'load_color_theme': 'Загрузить цветовую тему',
},
'sr': {
'payment_failed': 'Payment Failed',
@@ -92544,12 +92547,11 @@ mixin LocalizationsProvider on LocaleCodeAware {
'sk': {
'payment_failed': 'Platba zlyhala',
'activity_141': 'Používateľ :user zadal poznámku: :notes',
- 'activity_142': 'Citácia :number upomienka 1 odoslaná',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Automatická faktúra bola úspešná pre faktúru :invoice',
'activity_144':
'Automatické vyúčtovanie zlyhalo pre faktúru :invoice . :poznámky',
- 'activity_145':
- 'EFaktúra :invoice za :client bola doručená elektronicky. :poznámky',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'Prepísanie hostiteľa SSL',
'upload_logo_short': 'Nahrať logo',
'show_pdfhtml_on_mobile_help':
@@ -94444,7 +94446,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Po prijatí úhrady zobraziť len oblasť \'Uhradené k dátumu\' na faktúrach.',
'invoice_embed_documents': 'Zapracovať dokumenty',
- 'invoice_embed_documents_help': 'Zahrnúť priložené obrázky do faktúry.',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'Zobraziť hlavičku na',
'all_pages_footer': 'Zobraziť pätu na',
'first_page': 'Prvá strana',
@@ -94541,9 +94543,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Svetlá',
'dark': 'Tmavá',
'email_design': 'Vzhľad emailu',
- 'attach_pdf': 'Priložiť PDF',
- 'attach_documents': 'Priložiť dokumenty',
- 'attach_ubl': 'Pripojte UBL/E-faktúru',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Štýl e-mailu',
'enable_email_markup': 'Možnosť označiť',
'reply_to_email': 'Email pre odpoveď',
@@ -95344,7 +95346,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -96446,7 +96448,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'app_platforms': 'App Platforms',
'invoice_late': 'Invoice Late',
'quote_expired': 'Quote Expired',
- 'partial_due': 'Delno plačilo do',
+ 'partial_due': 'Delno plačilo',
'invoice_total': 'Skupni znesek',
'quote_total': 'Znesek ponudbe',
'credit_total': 'Dobropis skupaj',
@@ -97990,12 +97992,11 @@ mixin LocalizationsProvider on LocaleCodeAware {
'es': {
'payment_failed': 'Pago fallido',
'activity_141': 'El usuario :user ingresó la nota: :notes',
- 'activity_142': 'Cita :number recordatorio 1 enviado',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill fue aprobado para la factura :invoice',
'activity_144':
'Error en la factura automática de la factura :invoice . :notes',
- 'activity_145':
- 'La factura electrónica :invoice para :client se entregó electrónicamente. :notas',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'Anulación del host SSL',
'upload_logo_short': 'Subir logotipo',
'show_pdfhtml_on_mobile_help':
@@ -100024,9 +100025,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Claro',
'dark': 'Oscuro',
'email_design': 'Diseño de Correo',
- 'attach_pdf': 'Adjuntar PDF',
- 'attach_documents': 'Adjuntar Documentos',
- 'attach_ubl': 'Adjuntar UBL/factura electrónica',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Estilo de correo electrónico',
'enable_email_markup': 'Habilitar Markup',
'reply_to_email': 'Correo de Respuesta',
@@ -100778,13 +100779,13 @@ mixin LocalizationsProvider on LocaleCodeAware {
'es_ES': {
'payment_failed': 'El pago ha fallado',
'activity_141': 'El usuario: :user ingresó la nota: :notes',
- 'activity_142': 'Recordatorio de presupuesto :number enviado 1 vez',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143':
'La facturación automática se realizó con éxito para la factura :invoice',
'activity_144':
'La facturación automática falló para la factura :invoice. :notes',
'activity_145':
- 'La e-factura :invoice para :client fue entregada electrónicamente :notes',
+ 'Se envió la factura electrónica :invoice para :client . :notes',
'ssl_host_override': 'Anulación de host SSL',
'upload_logo_short': 'Subir logo',
'show_pdfhtml_on_mobile_help':
@@ -102730,7 +102731,8 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'Solo mostrará el valor Pagado a la Fecha en sus Facturas cuando se ha recibido un Pago.',
'invoice_embed_documents': 'Documentos anexados',
- 'invoice_embed_documents_help': 'Incluye imagenes adjuntas en la factura',
+ 'invoice_embed_documents_help':
+ 'Incluir imágenes adjuntas en la factura.',
'all_pages_header': 'Mostrar Cabecera en',
'all_pages_footer': 'Mostrar Pie en',
'first_page': 'Primera página',
@@ -102830,9 +102832,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Claro',
'dark': 'Oscuro',
'email_design': 'Diseño de Correo',
- 'attach_pdf': 'Adjuntar PDF',
- 'attach_documents': 'Adjuntar Documentos',
- 'attach_ubl': 'Adjuntar UBL/E-Invoice',
+ 'attach_pdf': 'Adjuntar PDF.',
+ 'attach_documents': 'Adjuntar documentos.',
+ 'attach_ubl': 'Adjuntar UBL/Factura electrónica.',
'email_style': 'Estilo de correo electrónico',
'enable_email_markup': 'Habilitar Markup',
'reply_to_email': 'Direccion Email de Respuesta',
@@ -103576,12 +103578,11 @@ mixin LocalizationsProvider on LocaleCodeAware {
'sv': {
'payment_failed': 'Betalning misslyckades',
'activity_141': 'Användaren :user skrev in note: :notes',
- 'activity_142': 'Citat :number påminnelse 1 skickad',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill lyckades för faktura :invoice',
'activity_144':
'Automatisk fakturering misslyckades för faktura :invoice . :anteckningar',
- 'activity_145':
- 'EFaktura :invoice för :client e-levererades. :anteckningar',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Ladda upp logotyp',
'show_pdfhtml_on_mobile_help':
@@ -105558,9 +105559,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Ljus',
'dark': 'Mörk',
'email_design': 'E-post design',
- 'attach_pdf': 'Bifoga PDF',
- 'attach_documents': 'Bifoga dokument',
- 'attach_ubl': 'Bifoga UBL/E-faktura',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'E-poststil',
'enable_email_markup': 'Aktivera märkning',
'reply_to_email': 'Reply-To E-post',
@@ -106297,10 +106298,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'th': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -106410,7 +106411,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'client_sales': 'Client Sales',
'tax_summary': 'Tax Summary',
'user_sales': 'User Sales',
- 'run_template': 'Run template',
+ 'run_template': 'Run Template',
'task_extension_banner': 'Add the Chrome extension to manage your tasks',
'watch_video': 'Watch Video',
'view_extension': 'View Extension',
@@ -107045,7 +107046,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'load_pdf': 'Load PDF',
'start_free_trial': 'Start Free Trial',
'start_free_trial_message':
- 'Start your FREE 14 day trial of the pro plan',
+ 'Start your FREE 14 day trial of the Pro Plan',
'due_on_receipt': 'Due on Receipt',
'is_paid': 'Is Paid',
'age_group_paid': 'Paid',
@@ -108165,7 +108166,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'hide_paid_to_date_help':
'แสดงเฉพาะพื้นที่ \'ชำระเงินถึงวันที่\' ในใบแจ้งหนี้ของคุณเมื่อได้รับการชำระเงินแล้ว',
'invoice_embed_documents': 'ฝังเอกสาร',
- 'invoice_embed_documents_help': 'รวมภาพที่แนบมาในใบแจ้งหนี้',
+ 'invoice_embed_documents_help': 'Include attached images in the invoice.',
'all_pages_header': 'แสดงหัวเรื่อง',
'all_pages_footer': 'แสดงส่วนท้าย',
'first_page': 'หน้าแรก',
@@ -108262,9 +108263,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'บาง',
'dark': 'มืด',
'email_design': 'ออกแบบอีเมล์',
- 'attach_pdf': 'Attach PDF',
- 'attach_documents': 'Attach Documents',
- 'attach_ubl': 'Attach UBL',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Email Style',
'enable_email_markup': 'เปิดใช้งาน Markup',
'reply_to_email': 'ตอบกลับอีเมล',
@@ -108997,10 +108998,10 @@ mixin LocalizationsProvider on LocaleCodeAware {
'tr_TR': {
'payment_failed': 'Payment Failed',
'activity_141': 'User :user entered note: :notes',
- 'activity_142': 'Quote :number reminder 1 sent',
+ 'activity_142': 'Quote :quote reminder 1 sent',
'activity_143': 'Auto Bill succeeded for invoice :invoice',
'activity_144': 'Auto Bill failed for invoice :invoice. :notes',
- 'activity_145': 'EInvoice :invoice for :client was e-delivered. :notes',
+ 'activity_145': 'E-Invoice :invoice for :client was sent. :notes',
'ssl_host_override': 'SSL Host Override',
'upload_logo_short': 'Upload Logo',
'show_pdfhtml_on_mobile_help':
@@ -109061,7 +109062,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'bulk_updated': 'Successfully updated data',
'bulk_update': 'Bulk Update',
'advanced_cards': 'Advanced Cards',
- 'always_show_required_fields': 'Allows show required fields form',
+ 'always_show_required_fields': 'Always show required fields form',
'always_show_required_fields_help':
'Displays the required fields form always at checkout',
'flutter_web_warning':
@@ -110964,9 +110965,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Aydınlık',
'dark': 'Koyu',
'email_design': 'E-Posta Dizaynı',
- 'attach_pdf': 'Attach PDF',
- 'attach_documents': 'Attach Documents',
- 'attach_ubl': 'Attach UBL/E-Invoice',
+ 'attach_pdf': 'attach PDF',
+ 'attach_documents': 'attach Documents',
+ 'attach_ubl': 'attach UBL/E-Invoice',
'email_style': 'Email Style',
'enable_email_markup': 'İşaretlemeyi Etkinleştir',
'reply_to_email': 'Reply-To Email',
@@ -111701,12 +111702,11 @@ mixin LocalizationsProvider on LocaleCodeAware {
'vi': {
'payment_failed': 'Thanh toán không thành công',
'activity_141': 'Người dùng :user đã nhập ghi chú: :notes',
- 'activity_142': 'Báo giá :number nhắc nhở 1 đã gửi',
+ 'activity_142': 'báo giá :quote lời nhắc 1 đã gửi',
'activity_143': 'Hóa đơn tự động đã thành công cho hóa đơn :invoice',
'activity_144':
'Hóa đơn tự động không thành công cho hóa đơn :invoice . :notes',
- 'activity_145':
- 'Hóa đơn điện tử :invoice cho :client đã được gửi qua email. :notes',
+ 'activity_145': 'E- Hóa đơn :invoice cho :client đã được gửi. :ghi chú',
'ssl_host_override': 'Ghi đè máy chủ SSL',
'upload_logo_short': 'Tải lên Logo',
'show_pdfhtml_on_mobile_help':
@@ -111881,7 +111881,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'activity_10_online':
':contact đã thanh toán :payment cho hóa đơn :invoice cho :client',
'activity_10_manual':
- ':user đã nhập thanh toán :payment cho hóa đơn :invoice cho :client',
+ ':user đã nhập thanh toán :payment bởi hóa đơn :invoice cho :client',
'default_payment_type': 'Loại thanh toán mặc định',
'admin_initiated_payments': 'Thanh toán do quản trị viên khởi tạo',
'admin_initiated_payments_help':
@@ -112090,7 +112090,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'purchase_order_accepted': 'Đơn đặt hàng đã được chấp nhận',
'credit_payment_error':
'Số tiền tín dụng không được lớn hơn số tiền thanh toán',
- 'klarna': 'Tiền mặt',
+ 'klarna': 'Klarna',
'convert_payment_currency_help':
'Đặt tỷ giá hối đoái khi nhập thanh toán thủ công',
'convert_expense_currency_help': 'Đặt tỷ giá hối đoái khi tạo chi phí',
@@ -112210,7 +112210,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'search_transaction': 'Tìm kiếm giao dịch',
'search_transactions': 'Tìm kiếm :count Giao dịch',
'bank_account': 'Tài khoản ngân hàng',
- 'bank_accounts': 'Thẻ tín dụng & ngân hàng',
+ 'bank_accounts': 'Thẻ tín dụng & Ngân hàng',
'archived_bank_account': 'Tài khoản ngân hàng đã lưu trữ thành công',
'deleted_bank_account': 'Đã xóa tài khoản ngân hàng thành công',
'removed_bank_account': 'Đã xóa tài khoản ngân hàng thành công',
@@ -112417,7 +112417,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'alternate_pdf_viewer_help':
'Cải thiện việc cuộn qua bản xem trước PDF [BETA]',
'invoice_currency': 'Tiền tệ hóa đơn',
- 'range': 'phạm vi',
+ 'range': 'Phạm vi',
'tax_amount1': 'Số tiền thuế 1',
'tax_amount2': 'Số tiền thuế 2',
'tax_amount3': 'Số tiền thuế 3',
@@ -112615,7 +112615,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'Tên miền phụ được sử dụng trong cổng thông tin khách hàng để cá nhân hóa các liên kết phù hợp với thương hiệu của bạn. Ví dụ: https://your-brand.invoicing.co',
'send_time': 'Gửi thời gian',
'import_data': 'Nhập dữ liệu',
- 'import_settings': 'Nhập Cài Đặt',
+ 'import_settings': 'Nhập cài đặt',
'json_file_missing': 'Vui lòng cung cấp tệp JSON',
'json_option_missing': 'Vui lòng chọn để nhập cài đặt và/hoặc dữ liệu',
'json': 'JSON',
@@ -112805,7 +112805,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'supported_events': 'Sự kiện được hỗ trợ',
'converted_amount': 'Số tiền chuyển Đổi',
'converted_balance': 'Số dư đã chuyển đổi',
- 'converted_paid_to_date': 'Đã chuyển đổi thanh toán đến ngày',
+ 'converted_paid_to_date': 'Đã chuyển đổi thanh toán',
'converted_credit_balance': 'Số dư tín dụng đã chuyển đổi',
'converted_total': 'Tổng số đã chuyển đổi',
'is_sent': 'Đã gửi',
@@ -112814,8 +112814,8 @@ mixin LocalizationsProvider on LocaleCodeAware {
'document_upload_help': 'Cho phép khách hàng tải lên tài liệu',
'expense_total': 'Tổng chi phí',
'enter_taxes': 'Nhập Thuế',
- 'by_rate': 'Theo Tỷ giá',
- 'by_amount': 'Theo Số Lượng',
+ 'by_rate': 'Theo tỷ giá',
+ 'by_amount': 'Theo số lượng',
'enter_amount': 'Nhập số tiền',
'before_taxes': 'Trước thuế',
'after_taxes': 'Sau thuế',
@@ -113074,7 +113074,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'payment_type_id': 'Phương thức thanh toán',
'last_login_at': 'Đăng nhập lần cuối tại',
'company_key': 'Chìa khóa công ty',
- 'storefront': 'Mặt tiền cửa hàng',
+ 'storefront': 'Storefront',
'storefront_help': 'Cho phép ứng dụng của bên thứ ba tạo hóa đơn',
'client_created': 'Khách hàng đã tạo',
'online_payment_email': 'Email thanh toán trực tuyến',
@@ -113583,11 +113583,11 @@ mixin LocalizationsProvider on LocaleCodeAware {
'restored_users': 'Đã khôi phục thành công người dùng :value',
'general_settings': 'Cài đặt chung',
'invoice_options': 'Tùy chọn hóa đơn',
- 'hide_paid_to_date': 'Ẩn Đã thanh toán đến ngày',
+ 'hide_paid_to_date': 'Ẩn Đã thanh toán',
'hide_paid_to_date_help':
- 'Chỉ hiển thị phần \'Đã thanh toán đến ngày\'; trên hóa đơn của bạn sau khi đã nhận được khoản thanh toán.',
+ 'Chỉ hiển thị phần \'Đã thanh toán\'; trên hóa đơn của bạn sau khi đã nhận được khoản thanh toán.',
'invoice_embed_documents': 'Nhúng tài liệu',
- 'invoice_embed_documents_help': 'Đính kèm hình ảnh vào hóa đơn.',
+ 'invoice_embed_documents_help': 'Đính kèm hình ảnh trong Hóa đơn .',
'all_pages_header': 'Hiển thị Tiêu đề trên',
'all_pages_footer': 'Hiển thị chân trang trên',
'first_page': 'Trang đầu tiên',
@@ -113684,9 +113684,9 @@ mixin LocalizationsProvider on LocaleCodeAware {
'light': 'Ánh sáng',
'dark': 'Tối tăm',
'email_design': 'Thiết kế Email',
- 'attach_pdf': 'Đính kèm PDF',
- 'attach_documents': 'Đính kèm tài liệu',
- 'attach_ubl': 'Đính kèm UBL/Hóa đơn điện tử',
+ 'attach_pdf': 'đính kèm PDF',
+ 'attach_documents': 'đính kèm Tài liệu',
+ 'attach_ubl': 'đính kèm UBL/E- Hóa đơn',
'email_style': 'Phong cách Email',
'enable_email_markup': 'Bật Đánh dấu',
'reply_to_email': 'Trả lời Email',
@@ -113750,7 +113750,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'continue_editing': 'Tiếp tục chỉnh sửa',
'discard_changes': 'Bỏ qua những thay đổi',
'default_value': 'Giá trị mặc định',
- 'disabled': 'Tàn tật',
+ 'disabled': 'Vô hiệu hóa',
'currency_format': 'Định dạng tiền tệ',
'first_day_of_the_week': 'Ngày đầu tuần',
'first_month_of_the_year': 'Tháng đầu tiên của năm',
@@ -113820,7 +113820,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'buy_now_buttons': 'Nút Mua Ngay',
'email_settings': 'Cài đặt Email',
'templates_and_reminders': 'Mẫu & Nhắc nhở',
- 'credit_cards_and_banks': 'Thẻ tín dụng & ngân hàng',
+ 'credit_cards_and_banks': 'Thẻ tín dụng & Ngân hàng',
'data_visualizations': 'Ảo hóa dữ liệu',
'price': 'Giá',
'email_sign_up': 'Đăng ký Email',
@@ -114028,8 +114028,8 @@ mixin LocalizationsProvider on LocaleCodeAware {
'descending': 'Giảm dần',
'save': 'Lưu',
'an_error_occurred': 'Đã xảy ra lỗi',
- 'paid_to_date': 'Hạn thanh toán',
- 'balance_due': 'Số tiền thanh toán',
+ 'paid_to_date': 'Đã thanh toán',
+ 'balance_due': 'Số tiền còn lại',
'balance': 'Số dư nợ',
'overview': 'Tổng quan',
'details': 'Chi tiết',
@@ -114043,7 +114043,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'could_not_launch': 'Không thể khởi chạy',
'contacts': 'Liên hệ',
'additional': 'Thêm vào',
- 'first_name': 'Họ & tên',
+ 'first_name': 'Họ',
'last_name': 'Tên',
'add_contact': 'Thêm liên hệ',
'are_you_sure': 'Bạn đã chắc chắn?',
@@ -114119,7 +114119,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'work_phone': 'Điện thoại',
'total_amount': 'Tổng số tiền',
'pdf': 'PDF',
- 'due_date': 'Hạn thanh toán',
+ 'due_date': 'Ngày đến hạn',
'partial_due_date': 'Ngày đến hạn một phần',
'paid_date': 'Ngày thanh toán',
'status': 'Trạng thái',
@@ -114147,11 +114147,11 @@ mixin LocalizationsProvider on LocaleCodeAware {
'please_enter_a_quote_number': 'Vui lòng nhập số báo giá',
'past_due': 'Quá hạn',
'draft': 'Bản nháp',
- 'sent': 'gởi',
+ 'sent': 'Đã gửi',
'viewed': 'Đã xem',
'approved': 'Đã duyệt',
'partial': 'Một phần/Tiền gửi',
- 'paid': 'Đã trả tiền',
+ 'paid': 'Đã thanh toán',
'mark_sent': 'Đánh dấu là đã gửi',
'marked_invoice_as_sent': 'Đã đánh dấu hóa đơn thành công là đã gửi',
'marked_invoice_as_paid':
@@ -114254,7 +114254,7 @@ mixin LocalizationsProvider on LocaleCodeAware {
'activity_8': ':user hóa đơn lưu trữ :invoice',
'activity_9': ':user đã xóa hóa đơn :invoice',
'activity_10':
- ':user đã nhập thanh toán :payment cho :payment _số tiền trên hóa đơn :invoice cho :client',
+ ':user đã nhập thanh toán :payment bởi :payment _số tiền trên hóa đơn :invoice cho :client',
'activity_11': ':user cập nhật thanh toán :payment',
'activity_12': ':user thanh toán đã lưu trữ :payment',
'activity_13': ':user đã xóa thanh toán :payment',
diff --git a/pubspec.foss.yaml b/pubspec.foss.yaml
index 6cace5183e..f6e1a06ad6 100644
--- a/pubspec.foss.yaml
+++ b/pubspec.foss.yaml
@@ -1,6 +1,6 @@
name: invoiceninja_flutter
description: Client for Invoice Ninja
-version: 5.0.171+171
+version: 5.0.172+172
homepage: https://invoiceninja.com
documentation: https://invoiceninja.github.io
publish_to: none
diff --git a/pubspec.yaml b/pubspec.yaml
index 1ec14ea3c2..1db556790b 100644
--- a/pubspec.yaml
+++ b/pubspec.yaml
@@ -1,6 +1,6 @@
name: invoiceninja_flutter
description: Client for Invoice Ninja
-version: 5.0.171+171
+version: 5.0.172+172
homepage: https://invoiceninja.com
documentation: https://invoiceninja.github.io
publish_to: none
diff --git a/snap/snapcraft.yaml b/snap/snapcraft.yaml
index 32499249c6..8be57fc85c 100644
--- a/snap/snapcraft.yaml
+++ b/snap/snapcraft.yaml
@@ -1,5 +1,5 @@
name: invoiceninja
-version: '5.0.171'
+version: '5.0.172'
summary: Create invoices, accept payments, track expenses & time tasks
description: "### Note: if the app fails to run using `snap run invoiceninja` it may help to run `/snap/invoiceninja/current/bin/invoiceninja` instead