1
0
mirror of https://github.com/invoiceninja/invoiceninja.git synced 2024-09-20 16:31:33 +02:00

Merge pull request #9402 from turbo124/v5-develop

Updates for expense conversion from purchase order
This commit is contained in:
David Bomba 2024-03-25 07:50:57 +11:00 committed by GitHub
commit a27d443d5c
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194
68 changed files with 3702 additions and 2901 deletions

View File

@ -12,6 +12,9 @@
namespace App\DataProviders; namespace App\DataProviders;
/**
* Class Domain.
*/
class Domains class Domains
{ {
private static array $verify_domains = [ private static array $verify_domains = [

View File

@ -197,7 +197,7 @@ class TaskExport extends BaseExport
if (in_array('task.duration', $this->input['report_keys']) || in_array('duration', $this->input['report_keys'])) { if (in_array('task.duration', $this->input['report_keys']) || in_array('duration', $this->input['report_keys'])) {
$seconds = $task->calcDuration(); $seconds = $task->calcDuration();
$entity['task.duration'] = $seconds; $entity['task.duration'] = $seconds;
$entity['task.duration_words'] = CarbonInterval::seconds($seconds)->locale($this->company->locale())->cascade()->forHumans(); $entity['task.duration_words'] = $seconds > 86400 ? CarbonInterval::seconds($seconds)->locale($this->company->locale())->cascade()->forHumans() : now()->startOfDay()->addSeconds($seconds)->format('H:i:s');
} }
$entity = $this->decorateAdvancedFields($task, $entity); $entity = $this->decorateAdvancedFields($task, $entity);

View File

@ -42,6 +42,7 @@ class ExpenseFactory
$expense->tax_amount1 = 0; $expense->tax_amount1 = 0;
$expense->tax_amount2 = 0; $expense->tax_amount2 = 0;
$expense->tax_amount3 = 0; $expense->tax_amount3 = 0;
$expense->uses_inclusive_taxes = false;
return $expense; return $expense;
} }

View File

@ -51,7 +51,8 @@ class PurchaseOrderFactory
$purchase_order->recurring_id = null; $purchase_order->recurring_id = null;
$purchase_order->exchange_rate = 1; $purchase_order->exchange_rate = 1;
$purchase_order->total_taxes = 0; $purchase_order->total_taxes = 0;
$purchase_order->uses_inclusive_taxes = false;
return $purchase_order; return $purchase_order;
} }
} }

View File

@ -166,7 +166,7 @@ class ClientFilters extends QueryFilters
$dir = ($sort_col[1] == 'asc') ? 'asc' : 'desc'; $dir = ($sort_col[1] == 'asc') ? 'asc' : 'desc';
if($sort_col[0] == 'number') { if($sort_col[0] == 'number') {
return $this->builder->orderByRaw('ABS(number) ' . $dir); return $this->builder->orderByRaw("REGEXP_REPLACE(number,'[^0-9]+','')+0 " . $dir);
} }
return $this->builder->orderBy($sort_col[0], $dir); return $this->builder->orderBy($sort_col[0], $dir);

View File

@ -148,7 +148,7 @@ class CreditFilters extends QueryFilters
if($sort_col[0] == 'number') { if($sort_col[0] == 'number') {
return $this->builder->orderByRaw('ABS(number) ' . $dir); return $this->builder->orderByRaw("REGEXP_REPLACE(number,'[^0-9]+','')+0 " . $dir);
} }
return $this->builder->orderBy($sort_col[0], $dir); return $this->builder->orderBy($sort_col[0], $dir);

View File

@ -197,7 +197,7 @@ class ExpenseFilters extends QueryFilters
} }
if($sort_col[0] == 'number') { if($sort_col[0] == 'number') {
return $this->builder->orderByRaw('ABS(number) ' . $dir); return $this->builder->orderByRaw("REGEXP_REPLACE(number,'[^0-9]+','')+0 " . $dir);
} }
if (is_array($sort_col) && in_array($sort_col[1], ['asc', 'desc']) && in_array($sort_col[0], ['public_notes', 'date', 'id_number', 'custom_value1', 'custom_value2', 'custom_value3', 'custom_value4'])) { if (is_array($sort_col) && in_array($sort_col[1], ['asc', 'desc']) && in_array($sort_col[0], ['public_notes', 'date', 'id_number', 'custom_value1', 'custom_value2', 'custom_value3', 'custom_value4'])) {

View File

@ -176,7 +176,7 @@ class PaymentFilters extends QueryFilters
} }
if($sort_col[0] == 'number') { if($sort_col[0] == 'number') {
return $this->builder->orderByRaw('ABS(number) ' . $dir); return $this->builder->orderByRaw("REGEXP_REPLACE(number,'[^0-9]+','')+0 " . $dir);
} }
return $this->builder->orderBy($sort_col[0], $dir); return $this->builder->orderBy($sort_col[0], $dir);

View File

@ -72,7 +72,7 @@ class ProjectFilters extends QueryFilters
} }
if($sort_col[0] == 'number') { if($sort_col[0] == 'number') {
return $this->builder->orderByRaw('ABS(number) ' . $dir); return $this->builder->orderByRaw("REGEXP_REPLACE(number,'[^0-9]+','')+0 " . $dir);
} }
return $this->builder->orderBy($sort_col[0], $dir); return $this->builder->orderBy($sort_col[0], $dir);

View File

@ -131,7 +131,7 @@ class PurchaseOrderFilters extends QueryFilters
} }
if($sort_col[0] == 'number') { if($sort_col[0] == 'number') {
return $this->builder->orderByRaw('ABS(number) ' . $dir); return $this->builder->orderByRaw("REGEXP_REPLACE(number,'[^0-9]+','')+0 " . $dir);
} }
return $this->builder->orderBy($sort_col[0], $dir); return $this->builder->orderBy($sort_col[0], $dir);

View File

@ -156,7 +156,7 @@ class QuoteFilters extends QueryFilters
} }
if($sort_col[0] == 'number') { if($sort_col[0] == 'number') {
return $this->builder->orderByRaw('ABS(number) ' . $dir); return $this->builder->orderByRaw("REGEXP_REPLACE(number,'[^0-9]+','')+0 " . $dir);
} }
if ($sort_col[0] == 'valid_until') { if ($sort_col[0] == 'valid_until') {

View File

@ -130,7 +130,7 @@ class RecurringInvoiceFilters extends QueryFilters
} }
if($sort_col[0] == 'number') { if($sort_col[0] == 'number') {
return $this->builder->orderByRaw("ABS(number) {$dir}"); return $this->builder->orderByRaw("REGEXP_REPLACE(number,'[^0-9]+','')+0 " . $dir);
} }
return $this->builder->orderBy($sort_col[0], $dir); return $this->builder->orderBy($sort_col[0], $dir);

View File

@ -144,7 +144,7 @@ class TaskFilters extends QueryFilters
} }
if($sort_col[0] == 'number') { if($sort_col[0] == 'number') {
return $this->builder->orderByRaw('ABS(number) ' . $dir); return $this->builder->orderByRaw("REGEXP_REPLACE(number,'[^0-9]+','')+0 " . $dir);
} }
return $this->builder->orderBy($sort_col[0], $dir); return $this->builder->orderBy($sort_col[0], $dir);

View File

@ -72,7 +72,7 @@ class VendorFilters extends QueryFilters
$dir = ($sort_col[1] == 'asc') ? 'asc' : 'desc'; $dir = ($sort_col[1] == 'asc') ? 'asc' : 'desc';
if($sort_col[0] == 'number') { if($sort_col[0] == 'number') {
return $this->builder->orderByRaw('ABS(number) ' . $dir); return $this->builder->orderByRaw("REGEXP_REPLACE(number,'[^0-9]+','')+0 " . $dir);
} }
return $this->builder->orderBy($sort_col[0], $dir); return $this->builder->orderBy($sort_col[0], $dir);

View File

@ -328,9 +328,12 @@ class ClientController extends BaseController
->first(); ->first();
if (!$m_client) { if (!$m_client) {
return response()->json(['message' => "Client not found"]); return response()->json(['message' => "Client not found"], 400);
} }
if($m_client->id == $client->id)
return response()->json(['message' => "Attempting to merge the same client is not possible."], 400);
$merged_client = $client->service()->merge($m_client)->save(); $merged_client = $client->service()->merge($m_client)->save();
return $this->itemResponse($merged_client); return $this->itemResponse($merged_client);

View File

@ -116,7 +116,9 @@ class StoreInvoiceRequest extends Request
//handles edge case where we need for force set the due date of the invoice. //handles edge case where we need for force set the due date of the invoice.
if((isset($input['partial_due_date']) && strlen($input['partial_due_date']) > 1) && (!array_key_exists('due_date', $input) || (empty($input['due_date']) && empty($this->invoice->due_date)))) { if((isset($input['partial_due_date']) && strlen($input['partial_due_date']) > 1) && (!array_key_exists('due_date', $input) || (empty($input['due_date']) && empty($this->invoice->due_date)))) {
$client = \App\Models\Client::withTrashed()->find($input['client_id']); $client = \App\Models\Client::withTrashed()->find($input['client_id']);
$input['due_date'] = \Illuminate\Support\Carbon::parse($input['date'])->addDays($client->getSetting('payment_terms'))->format('Y-m-d');
if($client)
$input['due_date'] = \Illuminate\Support\Carbon::parse($input['date'])->addDays($client->getSetting('payment_terms'))->format('Y-m-d');
} }
$this->replace($input); $this->replace($input);

View File

@ -2,6 +2,7 @@
namespace App\Models; namespace App\Models;
use Illuminate\Database\Eloquent\Relations\HasMany;
use Illuminate\Database\Eloquent\SoftDeletes; use Illuminate\Database\Eloquent\SoftDeletes;
use Laracasts\Presenter\PresentableTrait; use Laracasts\Presenter\PresentableTrait;
@ -121,6 +122,22 @@ class Project extends BaseModel
return $this->hasMany(Task::class); return $this->hasMany(Task::class);
} }
public function expenses(): HasMany
{
return $this->hasMany(Expense::class);
}
public function invoices(): HasMany
{
return $this->hasMany(Invoice::class);
}
public function quotes(): HasMany
{
return $this->hasMany(Quote::class);
}
public function translate_entity() public function translate_entity()
{ {
return ctrans('texts.project'); return ctrans('texts.project');

View File

@ -57,6 +57,13 @@ class PurchaseOrderExpense
$expense->number = empty($expense->number) ? $this->getNextExpenseNumber($expense) : $expense->number; $expense->number = empty($expense->number) ? $this->getNextExpenseNumber($expense) : $expense->number;
if($this->purchase_order->project_id){
$expense->project_id = $this->purchase_order->project_id;
$expense->client_id = $this->purchase_order->project->client_id;
}
elseif($this->purchase_order->client_id)
$expense->client_id = $this->purchase_order->client_id;
$expense->saveQuietly(); $expense->saveQuietly();
event('eloquent.created: App\Models\Expense', $expense); event('eloquent.created: App\Models\Expense', $expense);

View File

@ -12,10 +12,13 @@
namespace App\Transformers; namespace App\Transformers;
use App\Models\Client;
use App\Models\Document;
use App\Models\Project;
use App\Models\Task; use App\Models\Task;
use App\Models\Quote;
use App\Models\Client;
use App\Models\Project;
use App\Models\Document;
use App\Models\Expense;
use App\Models\Invoice;
use App\Utils\Traits\MakesHash; use App\Utils\Traits\MakesHash;
/** /**
@ -35,6 +38,9 @@ class ProjectTransformer extends EntityTransformer
protected array $availableIncludes = [ protected array $availableIncludes = [
'client', 'client',
'tasks', 'tasks',
'invoices',
'expenses',
'quotes',
]; ];
public function includeDocuments(Project $project) public function includeDocuments(Project $project)
@ -67,6 +73,27 @@ class ProjectTransformer extends EntityTransformer
return $this->includeCollection($project->tasks, $transformer, Task::class); return $this->includeCollection($project->tasks, $transformer, Task::class);
} }
public function includeInvoices(Project $project): \League\Fractal\Resource\Collection
{
$transformer = new InvoiceTransformer($this->serializer);
return $this->includeCollection($project->invoices, $transformer, Invoice::class);
}
public function includeExpenses(Project $project): \League\Fractal\Resource\Collection
{
$transformer = new ExpenseTransformer($this->serializer);
return $this->includeCollection($project->expenses, $transformer, Expense::class);
}
public function includeQuotes(Project $project): \League\Fractal\Resource\Collection
{
$transformer = new QuoteTransformer($this->serializer);
return $this->includeCollection($project->quotes, $transformer, Quote::class);
}
public function transform(Project $project) public function transform(Project $project)
{ {
return [ return [

View File

@ -42,6 +42,7 @@ class TaskTransformer extends EntityTransformer
'project', 'project',
'user', 'user',
'invoice', 'invoice',
'assigned_user',
]; ];
public function includeDocuments(Task $task) public function includeDocuments(Task $task)
@ -73,6 +74,16 @@ class TaskTransformer extends EntityTransformer
return $this->includeItem($task->user, $transformer, User::class); return $this->includeItem($task->user, $transformer, User::class);
} }
public function includeAssignedUser(Task $task): ?Item
{
$transformer = new UserTransformer($this->serializer);
if (!$task->assigned_user) {
return null;
}
return $this->includeItem($task->assigned_user, $transformer, User::class);
}
public function includeClient(Task $task): ?Item public function includeClient(Task $task): ?Item
{ {

View File

@ -35,6 +35,7 @@ class ExpenseFactory extends Factory
'private_notes' => $this->faker->text(50), 'private_notes' => $this->faker->text(50),
'transaction_reference' => $this->faker->text(5), 'transaction_reference' => $this->faker->text(5),
'invoice_id' => null, 'invoice_id' => null,
'uses_inclusive_taxes' => false,
]; ];
} }
} }

View File

@ -46,6 +46,7 @@ class PurchaseOrderFactory extends Factory
'due_date' => $this->faker->date(), 'due_date' => $this->faker->date(),
'line_items' => InvoiceItemFactory::generate(5), 'line_items' => InvoiceItemFactory::generate(5),
'terms' => $this->faker->text(500), 'terms' => $this->faker->text(500),
'uses_inclusive_taxes' => false,
]; ];
} }
} }

View File

@ -0,0 +1,53 @@
<?php
use App\Models\Currency;
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
return new class extends Migration
{
/**
* Run the migrations.
*/
public function up(): void
{
$cur = Currency::find(122);
if(!$cur) {
$cur = new \App\Models\Currency();
$cur->id = 122;
$cur->code = 'BTN';
$cur->name = "Bhutan Ngultrum";
$cur->symbol = 'Nu';
$cur->thousand_separator = ',';
$cur->decimal_separator = '.';
$cur->precision = 2;
$cur->save();
}
$cur = Currency::find(123);
if(!$cur) {
$cur = new \App\Models\Currency();
$cur->id = 123;
$cur->code = 'MRU';
$cur->name = "Mauritanian Ouguiya";
$cur->symbol = 'UM';
$cur->thousand_separator = ',';
$cur->decimal_separator = '.';
$cur->precision = 2;
$cur->save();
}
}
/**
* Reverse the migrations.
*/
public function down(): void
{
//
}
};

View File

@ -144,6 +144,8 @@ class CurrenciesSeeder extends Seeder
['id' => 119, 'name' => 'Malagasy ariary', 'code' => 'MGA', 'symbol' => 'Ar', 'precision' => '0', 'thousand_separator' => ',', 'decimal_separator' => '.'], ['id' => 119, 'name' => 'Malagasy ariary', 'code' => 'MGA', 'symbol' => 'Ar', 'precision' => '0', 'thousand_separator' => ',', 'decimal_separator' => '.'],
['id' => 120, 'name' => "Tongan Pa anga", 'code' => 'TOP', 'symbol' => 'T$', 'precision' => '2', 'thousand_separator' => ',', 'decimal_separator' => '.'], ['id' => 120, 'name' => "Tongan Pa anga", 'code' => 'TOP', 'symbol' => 'T$', 'precision' => '2', 'thousand_separator' => ',', 'decimal_separator' => '.'],
['id' => 121, 'name' => "Lao kip", 'code' => 'LAK', 'symbol' => '₭', 'precision' => '2', 'thousand_separator' => ',', 'decimal_separator' => '.'], ['id' => 121, 'name' => "Lao kip", 'code' => 'LAK', 'symbol' => '₭', 'precision' => '2', 'thousand_separator' => ',', 'decimal_separator' => '.'],
['id' => 122, 'name' => "Bhutan Ngultrum", 'code' => 'BTN', 'symbol' => 'Nu', 'precision' => '2', 'thousand_separator' => ',', 'decimal_separator' => '.'],
['id' => 123, 'name' => "Mauritanian Ouguiya", 'code' => 'MRU', 'symbol' => 'UM', 'precision' => '2', 'thousand_separator' => ',', 'decimal_separator' => '.'],
]; ];
foreach ($currencies as $currency) { foreach ($currencies as $currency) {

View File

@ -453,9 +453,9 @@ $lang = array(
'edit_token' => 'تحرير الرمز', 'edit_token' => 'تحرير الرمز',
'delete_token' => 'حذف الرمز المميز', 'delete_token' => 'حذف الرمز المميز',
'token' => 'رمز', 'token' => 'رمز',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'اضافة بوابة الدفع',
'delete_gateway' => 'حذف البوابة', 'delete_gateway' => 'حذف بوابة الدفع',
'edit_gateway' => 'تحرير البوابة', 'edit_gateway' => 'تحرير بوابة الدفع',
'updated_gateway' => 'تم تحديث البوابة بنجاح', 'updated_gateway' => 'تم تحديث البوابة بنجاح',
'created_gateway' => 'تم إنشاء البوابة بنجاح', 'created_gateway' => 'تم إنشاء البوابة بنجاح',
'deleted_gateway' => 'تم حذف البوابة بنجاح', 'deleted_gateway' => 'تم حذف البوابة بنجاح',
@ -2178,6 +2178,8 @@ $lang = array(
'encryption' => 'التشفير', 'encryption' => 'التشفير',
'mailgun_domain' => 'مجال Mailgun', 'mailgun_domain' => 'مجال Mailgun',
'mailgun_private_key' => 'مفتاح Mailgun الخاص', 'mailgun_private_key' => 'مفتاح Mailgun الخاص',
'brevo_domain' => 'مجال بريفو',
'brevo_private_key' => 'مفتاح بريفو الخاص',
'send_test_email' => 'إرسال بريد إلكتروني تجريبي', 'send_test_email' => 'إرسال بريد إلكتروني تجريبي',
'select_label' => 'حدد تسمية', 'select_label' => 'حدد تسمية',
'label' => 'ملصق', 'label' => 'ملصق',
@ -4828,6 +4830,7 @@ $lang = array(
'email_alignment' => 'محاذاة البريد الإلكتروني', 'email_alignment' => 'محاذاة البريد الإلكتروني',
'pdf_preview_location' => 'موقع معاينة PDF', 'pdf_preview_location' => 'موقع معاينة PDF',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'بريفو',
'postmark' => 'ختم البريد', 'postmark' => 'ختم البريد',
'microsoft' => 'مايكروسوفت', 'microsoft' => 'مايكروسوفت',
'click_plus_to_create_record' => 'انقر فوق + لإنشاء سجل', 'click_plus_to_create_record' => 'انقر فوق + لإنشاء سجل',
@ -5080,6 +5083,8 @@ $lang = array(
'drop_files_here' => 'قم بوضع الملفات هنا', 'drop_files_here' => 'قم بوضع الملفات هنا',
'upload_files' => 'تحميل الملفات', 'upload_files' => 'تحميل الملفات',
'download_e_invoice' => 'تحميل الفاتورة الإلكترونية', 'download_e_invoice' => 'تحميل الفاتورة الإلكترونية',
'download_e_credit' => 'تحميل الائتمان الالكتروني',
'download_e_quote' => 'تحميل الاقتباس الإلكتروني',
'triangular_tax_info' => 'المعاملات الثلاثية داخل المجتمع', 'triangular_tax_info' => 'المعاملات الثلاثية داخل المجتمع',
'intracommunity_tax_info' => 'التوصيل داخل المجتمع معفي من الضرائب', 'intracommunity_tax_info' => 'التوصيل داخل المجتمع معفي من الضرائب',
'reverse_tax_info' => 'يرجى ملاحظة أن هذا العرض يخضع لرسوم عكسية', 'reverse_tax_info' => 'يرجى ملاحظة أن هذا العرض يخضع لرسوم عكسية',
@ -5182,7 +5187,7 @@ $lang = array(
'nordigen_handler_error_heading_requisition_invalid_status' => 'غير جاهز', 'nordigen_handler_error_heading_requisition_invalid_status' => 'غير جاهز',
'nordigen_handler_error_contents_requisition_invalid_status' => 'لقد اتصلت بهذا الموقع مبكرًا جدًا. الرجاء إنهاء الترخيص وتحديث هذه الصفحة. اتصل بالدعم للحصول على المساعدة، إذا استمرت هذه المشكلة.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'لقد اتصلت بهذا الموقع مبكرًا جدًا. الرجاء إنهاء الترخيص وتحديث هذه الصفحة. اتصل بالدعم للحصول على المساعدة، إذا استمرت هذه المشكلة.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'لم يتم تحديد أي حسابات', 'nordigen_handler_error_heading_requisition_no_accounts' => 'لم يتم تحديد أي حسابات',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'لم تقم الخدمة بإرجاع أي حسابات صالحة. فكر في إعادة تشغيل التدفق.',
'nordigen_handler_restart' => 'إعادة تشغيل التدفق.', 'nordigen_handler_restart' => 'إعادة تشغيل التدفق.',
'nordigen_handler_return' => 'العودة إلى التطبيق.', 'nordigen_handler_return' => 'العودة إلى التطبيق.',
'lang_Lao' => 'لاو', 'lang_Lao' => 'لاو',
@ -5223,18 +5228,28 @@ $lang = array(
'gateway_type' => 'نوع البوابة', 'gateway_type' => 'نوع البوابة',
'save_template_body' => 'هل ترغب في حفظ تعيين الاستيراد هذا كقالب لاستخدامه في المستقبل؟', 'save_template_body' => 'هل ترغب في حفظ تعيين الاستيراد هذا كقالب لاستخدامه في المستقبل؟',
'save_as_template' => 'حفظ تعيين القالب', 'save_as_template' => 'حفظ تعيين القالب',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'فواتير تلقائية قياسية في تاريخ الاستحقاق',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'فاتورة تلقائية في تاريخ الإرسال أو تاريخ الاستحقاق (الفواتير المتكررة)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'قم بتطبيق أي أرصدة دائنة على الدفعات قبل تحصيل رسوم طريقة الدفع',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'استخدم الدفعات غير المطبقة',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'قم بتطبيق أي أرصدة دفع قبل فرض رسوم على طريقة الدفع',
'payment_terms_help' => 'يضبط <b>تاريخ استحقاق الفاتورة</b> الافتراضي', 'payment_terms_help' => 'يضبط <b>تاريخ استحقاق الفاتورة</b> الافتراضي',
'payment_type_help' => 'يعيّن <b>نوع الدفع اليدوي</b> الافتراضي.', 'payment_type_help' => 'يعيّن <b>نوع الدفع اليدوي</b> الافتراضي.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'عدد الأيام التي يكون عرض الأسعار صالحًا لها',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'نوع دفع النفقات الافتراضي الذي سيتم استخدامه',
'paylater' => 'Pay in 4', 'paylater' => 'الدفع في 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'مزود الدفع',
'select_email_provider' => 'قم بتعيين بريدك الإلكتروني كمستخدم مرسل',
'purchase_order_items' => 'عناصر أمر الشراء',
'csv_rows_length' => 'لم يتم العثور على بيانات في ملف CSV هذا',
'accept_payments_online' => 'قبول المدفوعات عبر الإنترنت',
'all_payment_gateways' => 'عرض جميع بوابات الدفع',
'product_cost' => 'تكلفة المنتج',
'enable_rappen_roudning' => 'تمكين تقريب Rappen',
'enable_rappen_rounding_help' => 'تقريب الإجماليات إلى أقرب 5',
'duration_words' => 'المدة بالكلمات',
'upcoming_recurring_invoices' => 'الفواتير المتكررة القادمة',
'total_invoices' => 'إجمالي الفواتير',
); );
return $lang; return $lang;

View File

@ -462,8 +462,8 @@ $lang = array(
'delete_token' => 'Изтриване на токън', 'delete_token' => 'Изтриване на токън',
'token' => 'Токън', 'token' => 'Токън',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Изтриване на Gateway', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Редакция на Gateway', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Успешно актуализиран Gateway', 'updated_gateway' => 'Успешно актуализиран Gateway',
'created_gateway' => 'Успешно създаден Gateway', 'created_gateway' => 'Успешно създаден Gateway',
'deleted_gateway' => 'Успешно изтрит Gateway', 'deleted_gateway' => 'Успешно изтрит Gateway',
@ -2198,6 +2198,8 @@ $lang = array(
'encryption' => 'Криптиране', 'encryption' => 'Криптиране',
'mailgun_domain' => 'Mailgun домейн', 'mailgun_domain' => 'Mailgun домейн',
'mailgun_private_key' => 'Mailgun частен ключ', 'mailgun_private_key' => 'Mailgun частен ключ',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Изпращане на тестов имейл', 'send_test_email' => 'Изпращане на тестов имейл',
'select_label' => 'Избор на етикет', 'select_label' => 'Избор на етикет',
'label' => 'Етикет', 'label' => 'Етикет',
@ -4848,6 +4850,7 @@ $lang = array(
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5100,6 +5103,8 @@ $lang = array(
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5254,7 +5259,17 @@ $lang = array(
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -460,9 +460,9 @@ $lang = array(
'edit_token' => 'Edit Token', 'edit_token' => 'Edit Token',
'delete_token' => 'Delete Token', 'delete_token' => 'Delete Token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Afegiu passarel·la de pagament',
'delete_gateway' => 'Delete Gateway', 'delete_gateway' => 'Suprimeix la passarel·la de pagament',
'edit_gateway' => 'Edit Gateway', 'edit_gateway' => 'Edita la passarel·la de pagament',
'updated_gateway' => 'Successfully updated gateway', 'updated_gateway' => 'Successfully updated gateway',
'created_gateway' => 'Successfully created gateway', 'created_gateway' => 'Successfully created gateway',
'deleted_gateway' => 'Successfully deleted gateway', 'deleted_gateway' => 'Successfully deleted gateway',
@ -506,8 +506,8 @@ $lang = array(
'auto_wrap' => 'Auto Line Wrap', 'auto_wrap' => 'Auto Line Wrap',
'duplicate_post' => 'Warning: the previous page was submitted twice. The second submission had been ignored.', 'duplicate_post' => 'Warning: the previous page was submitted twice. The second submission had been ignored.',
'view_documentation' => 'View Documentation', 'view_documentation' => 'View Documentation',
'app_title' => 'Free Online Invoicing', 'app_title' => 'Facturació en línia gratuïta',
'app_description' => 'Invoice Ninja is a free, open-code solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.', 'app_description' => 'Invoice Ninja és una solució gratuïta de codi obert per a la facturació i facturació dels clients. Amb Invoice Ninja, podeu crear i enviar factures precioses fàcilment des de qualsevol dispositiu que tingui accés al web. Els vostres clients poden imprimir les vostres factures, descarregar-les com a fitxers pdf i fins i tot pagar-vos en línia des del sistema.',
'rows' => 'rows', 'rows' => 'rows',
'www' => 'www', 'www' => 'www',
'logo' => 'Logo', 'logo' => 'Logo',
@ -693,9 +693,9 @@ $lang = array(
'disable' => 'Disable', 'disable' => 'Disable',
'invoice_quote_number' => 'Invoice and Quote Numbers', 'invoice_quote_number' => 'Invoice and Quote Numbers',
'invoice_charges' => 'Invoice Surcharges', 'invoice_charges' => 'Invoice Surcharges',
'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact. <br><br> :error', 'notification_invoice_bounced' => 'No hem pogut lliurar la factura :invoice a :contact .<br><br> :error',
'notification_invoice_bounced_subject' => 'Unable to deliver Invoice :invoice', 'notification_invoice_bounced_subject' => 'Unable to deliver Invoice :invoice',
'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact. <br><br> :error', 'notification_quote_bounced' => 'No hem pogut lliurar el pressupost :invoice a :contact .<br><br> :error',
'notification_quote_bounced_subject' => 'Unable to deliver Quote :invoice', 'notification_quote_bounced_subject' => 'Unable to deliver Quote :invoice',
'custom_invoice_link' => 'Custom Invoice Link', 'custom_invoice_link' => 'Custom Invoice Link',
'total_invoiced' => 'Total Invoiced', 'total_invoiced' => 'Total Invoiced',
@ -2197,6 +2197,8 @@ $lang = array(
'encryption' => 'Encryption', 'encryption' => 'Encryption',
'mailgun_domain' => 'Mailgun Domain', 'mailgun_domain' => 'Mailgun Domain',
'mailgun_private_key' => 'Mailgun Private Key', 'mailgun_private_key' => 'Mailgun Private Key',
'brevo_domain' => 'Domini Brevo',
'brevo_private_key' => 'Clau privada Brevo',
'send_test_email' => 'Send test email', 'send_test_email' => 'Send test email',
'select_label' => 'Select Label', 'select_label' => 'Select Label',
'label' => 'Label', 'label' => 'Label',
@ -2362,9 +2364,9 @@ $lang = array(
'currency_libyan_dinar' => 'Dinar libi', 'currency_libyan_dinar' => 'Dinar libi',
'currency_silver_troy_ounce' => 'Unça Troia de plata', 'currency_silver_troy_ounce' => 'Unça Troia de plata',
'currency_gold_troy_ounce' => 'Unça Troia d&#39;or', 'currency_gold_troy_ounce' => 'Unça Troia d&#39;or',
'currency_nicaraguan_córdoba' => 'Nicaraguan Córdoba', 'currency_nicaraguan_córdoba' => 'Còrdova nicaragüenca',
'currency_malagasy_ariary' => 'Malagasy ariary', 'currency_malagasy_ariary' => 'ariary malgaix',
"currency_tongan_pa_anga" => "Tongan Pa'anga", "currency_tongan_pa_anga" => "Pa&#39;anga de Tonga",
'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', 'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!',
'writing_a_review' => 'escriu una ressenya', 'writing_a_review' => 'escriu una ressenya',
@ -2475,8 +2477,8 @@ $lang = array(
'partial_due_date' => 'Data venciment parcial', 'partial_due_date' => 'Data venciment parcial',
'task_fields' => 'Task Fields', 'task_fields' => 'Task Fields',
'product_fields_help' => 'Drag and drop fields to change their order', 'product_fields_help' => 'Drag and drop fields to change their order',
'custom_value1' => 'Custom Value 1', 'custom_value1' => 'Valor personalitzat 1',
'custom_value2' => 'Custom Value 2', 'custom_value2' => 'Valor personalitzat 2',
'enable_two_factor' => 'Two-Factor Authentication', 'enable_two_factor' => 'Two-Factor Authentication',
'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in', 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
'two_factor_setup' => 'Two-Factor Setup', 'two_factor_setup' => 'Two-Factor Setup',
@ -3010,7 +3012,7 @@ $lang = array(
'hosted_login' => 'Hosted Login', 'hosted_login' => 'Hosted Login',
'selfhost_login' => 'Selfhost Login', 'selfhost_login' => 'Selfhost Login',
'google_login' => 'Google Login', 'google_login' => 'Google Login',
'thanks_for_patience' => 'Thank for your patience while we work to implement these features.<br><br>We hope to have them completed in the next few months.<br><br>Until then we\'ll continue to support the', 'thanks_for_patience' => 'Gràcies per la vostra paciència mentre treballem per implementar aquestes funcions.<br><br> Esperem tenir-les enllestides en els propers mesos.<br><br> Fins aleshores continuarem donant suport a',
'legacy_mobile_app' => 'legacy mobile app', 'legacy_mobile_app' => 'legacy mobile app',
'today' => 'Avui', 'today' => 'Avui',
'current' => 'Actual', 'current' => 'Actual',
@ -3297,9 +3299,9 @@ $lang = array(
'freq_three_years' => 'Three Years', 'freq_three_years' => 'Three Years',
'military_time_help' => '24 Hour Display', 'military_time_help' => '24 Hour Display',
'click_here_capital' => 'Click here', 'click_here_capital' => 'Click here',
'marked_invoice_as_paid' => 'Successfully marked invoice as paid', 'marked_invoice_as_paid' => 'La factura s&#39;ha marcat correctament com a pagada',
'marked_invoices_as_sent' => 'Successfully marked invoices as sent', 'marked_invoices_as_sent' => 'Successfully marked invoices as sent',
'marked_invoices_as_paid' => 'Successfully marked invoices as paid', 'marked_invoices_as_paid' => 'S&#39;han marcat correctament les factures com a pagades',
'activity_57' => 'System failed to email invoice :invoice', 'activity_57' => 'System failed to email invoice :invoice',
'custom_value3' => 'Custom Value 3', 'custom_value3' => 'Custom Value 3',
'custom_value4' => 'Custom Value 4', 'custom_value4' => 'Custom Value 4',
@ -3328,7 +3330,7 @@ $lang = array(
'credit_number_counter' => 'Credit Number Counter', 'credit_number_counter' => 'Credit Number Counter',
'reset_counter_date' => 'Reset Counter Date', 'reset_counter_date' => 'Reset Counter Date',
'counter_padding' => 'Counter Padding', 'counter_padding' => 'Counter Padding',
'shared_invoice_quote_counter' => 'Share Invoice/Quote Counter', 'shared_invoice_quote_counter' => 'Comparteix factura/comptador de pressupostos',
'default_tax_name_1' => 'Default Tax Name 1', 'default_tax_name_1' => 'Default Tax Name 1',
'default_tax_rate_1' => 'Default Tax Rate 1', 'default_tax_rate_1' => 'Default Tax Rate 1',
'default_tax_name_2' => 'Default Tax Name 2', 'default_tax_name_2' => 'Default Tax Name 2',
@ -3639,9 +3641,9 @@ $lang = array(
'send_date' => 'Send Date', 'send_date' => 'Send Date',
'auto_bill_on' => 'Auto Bill On', 'auto_bill_on' => 'Auto Bill On',
'minimum_under_payment_amount' => 'Minimum Under Payment Amount', 'minimum_under_payment_amount' => 'Minimum Under Payment Amount',
'allow_over_payment' => 'Allow Overpayment', 'allow_over_payment' => 'Permetre el pagament en excés',
'allow_over_payment_help' => 'Support paying extra to accept tips', 'allow_over_payment_help' => 'Support paying extra to accept tips',
'allow_under_payment' => 'Allow Underpayment', 'allow_under_payment' => 'Permetre el pagament insuficient',
'allow_under_payment_help' => 'Support paying at minimum the partial/deposit amount', 'allow_under_payment_help' => 'Support paying at minimum the partial/deposit amount',
'test_mode' => 'Test Mode', 'test_mode' => 'Test Mode',
'calculated_rate' => 'Calculated Rate', 'calculated_rate' => 'Calculated Rate',
@ -3821,7 +3823,7 @@ $lang = array(
'notification_credit_viewed' => 'The following client :client viewed Credit :credit for :amount.', 'notification_credit_viewed' => 'The following client :client viewed Credit :credit for :amount.',
'reset_password_text' => 'Enter your email to reset your password.', 'reset_password_text' => 'Enter your email to reset your password.',
'password_reset' => 'Password reset', 'password_reset' => 'Password reset',
'account_login_text' => 'Welcome! Glad to see you.', 'account_login_text' => 'Benvingut! Content de veure&#39;t.',
'request_cancellation' => 'Request cancellation', 'request_cancellation' => 'Request cancellation',
'delete_payment_method' => 'Delete Payment Method', 'delete_payment_method' => 'Delete Payment Method',
'about_to_delete_payment_method' => 'You are about to delete the payment method.', 'about_to_delete_payment_method' => 'You are about to delete the payment method.',
@ -3868,7 +3870,7 @@ $lang = array(
'cancellation_pending' => 'Cancellation pending, we\'ll be in touch!', 'cancellation_pending' => 'Cancellation pending, we\'ll be in touch!',
'list_of_payments' => 'List of payments', 'list_of_payments' => 'List of payments',
'payment_details' => 'Details of the payment', 'payment_details' => 'Details of the payment',
'list_of_payment_invoices' => 'Associate invoices', 'list_of_payment_invoices' => 'Factures associades',
'list_of_payment_methods' => 'List of payment methods', 'list_of_payment_methods' => 'List of payment methods',
'payment_method_details' => 'Details of payment method', 'payment_method_details' => 'Details of payment method',
'permanently_remove_payment_method' => 'Permanently remove this payment method.', 'permanently_remove_payment_method' => 'Permanently remove this payment method.',
@ -3935,11 +3937,11 @@ $lang = array(
'add_payment_method_first' => 'add payment method', 'add_payment_method_first' => 'add payment method',
'no_items_selected' => 'No items selected.', 'no_items_selected' => 'No items selected.',
'payment_due' => 'Payment due', 'payment_due' => 'Payment due',
'account_balance' => 'Account Balance', 'account_balance' => 'Saldo del compte',
'thanks' => 'Thanks', 'thanks' => 'Thanks',
'minimum_required_payment' => 'Minimum required payment is :amount', 'minimum_required_payment' => 'Minimum required payment is :amount',
'under_payments_disabled' => 'Company doesn\'t support underpayments.', 'under_payments_disabled' => 'L&#39;empresa no admet pagaments insuficients.',
'over_payments_disabled' => 'Company doesn\'t support overpayments.', 'over_payments_disabled' => 'L&#39;empresa no admet pagaments en excés.',
'saved_at' => 'Saved at :time', 'saved_at' => 'Saved at :time',
'credit_payment' => 'Credit applied to Invoice :invoice_number', 'credit_payment' => 'Credit applied to Invoice :invoice_number',
'credit_subject' => 'New credit :number from :account', 'credit_subject' => 'New credit :number from :account',
@ -3960,7 +3962,7 @@ $lang = array(
'notification_invoice_reminder1_sent_subject' => 'Reminder 1 for Invoice :invoice was sent to :client', 'notification_invoice_reminder1_sent_subject' => 'Reminder 1 for Invoice :invoice was sent to :client',
'notification_invoice_reminder2_sent_subject' => 'Reminder 2 for Invoice :invoice was sent to :client', 'notification_invoice_reminder2_sent_subject' => 'Reminder 2 for Invoice :invoice was sent to :client',
'notification_invoice_reminder3_sent_subject' => 'Reminder 3 for Invoice :invoice was sent to :client', 'notification_invoice_reminder3_sent_subject' => 'Reminder 3 for Invoice :invoice was sent to :client',
'notification_invoice_custom_sent_subject' => 'Custom reminder for Invoice :invoice was sent to :client', 'notification_invoice_custom_sent_subject' => 'S&#39;ha enviat un recordatori personalitzat per a la factura :invoice a :client',
'notification_invoice_reminder_endless_sent_subject' => 'Endless reminder for Invoice :invoice was sent to :client', 'notification_invoice_reminder_endless_sent_subject' => 'Endless reminder for Invoice :invoice was sent to :client',
'assigned_user' => 'Assigned User', 'assigned_user' => 'Assigned User',
'setup_steps_notice' => 'To proceed to next step, make sure you test each section.', 'setup_steps_notice' => 'To proceed to next step, make sure you test each section.',
@ -4217,7 +4219,7 @@ $lang = array(
'direct_debit' => 'Direct Debit', 'direct_debit' => 'Direct Debit',
'clone_to_expense' => 'Clone to Expense', 'clone_to_expense' => 'Clone to Expense',
'checkout' => 'Checkout', 'checkout' => 'Checkout',
'acss' => 'ACSS Debit', 'acss' => 'Dèbit ACSS',
'invalid_amount' => 'Invalid amount. Number/Decimal values only.', 'invalid_amount' => 'Invalid amount. Number/Decimal values only.',
'client_payment_failure_body' => 'Payment for Invoice :invoice for amount :amount failed.', 'client_payment_failure_body' => 'Payment for Invoice :invoice for amount :amount failed.',
'browser_pay' => 'Google Pay, Apple Pay, Microsoft Pay', 'browser_pay' => 'Google Pay, Apple Pay, Microsoft Pay',
@ -4285,7 +4287,7 @@ $lang = array(
'include_drafts' => 'Include Drafts', 'include_drafts' => 'Include Drafts',
'include_drafts_help' => 'Include draft records in reports', 'include_drafts_help' => 'Include draft records in reports',
'is_invoiced' => 'Is Invoiced', 'is_invoiced' => 'Is Invoiced',
'change_plan' => 'Manage Plan', 'change_plan' => 'Gestionar el Pla',
'persist_data' => 'Persist Data', 'persist_data' => 'Persist Data',
'customer_count' => 'Customer Count', 'customer_count' => 'Customer Count',
'verify_customers' => 'Verify Customers', 'verify_customers' => 'Verify Customers',
@ -4614,8 +4616,8 @@ $lang = array(
'search_purchase_order' => 'Search Purchase Order', 'search_purchase_order' => 'Search Purchase Order',
'search_purchase_orders' => 'Search Purchase Orders', 'search_purchase_orders' => 'Search Purchase Orders',
'login_url' => 'Login URL', 'login_url' => 'Login URL',
'enable_applying_payments' => 'Manual Overpayments', 'enable_applying_payments' => 'Pagaments excessius manuals',
'enable_applying_payments_help' => 'Support adding an overpayment amount manually on a payment', 'enable_applying_payments_help' => 'Admet l&#39;addició manual d&#39;un import de sobrepagament en un pagament',
'stock_quantity' => 'Stock Quantity', 'stock_quantity' => 'Stock Quantity',
'notification_threshold' => 'Notification Threshold', 'notification_threshold' => 'Notification Threshold',
'track_inventory' => 'Track Inventory', 'track_inventory' => 'Track Inventory',
@ -4847,6 +4849,7 @@ $lang = array(
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -4866,8 +4869,8 @@ $lang = array(
'all_clients' => 'Tots els clients', 'all_clients' => 'Tots els clients',
'show_aging_table' => 'Veure taula de compliment', 'show_aging_table' => 'Veure taula de compliment',
'show_payments_table' => 'Veure taula de pagaments', 'show_payments_table' => 'Veure taula de pagaments',
'only_clients_with_invoices' => 'Only Clients with Invoices', 'only_clients_with_invoices' => 'Només Clients amb Factures',
'email_statement' => 'Email Statement', 'email_statement' => 'Declaració de correu electrònic',
'once' => 'Una volta', 'once' => 'Una volta',
'schedules' => 'Calendaris', 'schedules' => 'Calendaris',
'new_schedule' => 'Nou calendari', 'new_schedule' => 'Nou calendari',
@ -4910,7 +4913,7 @@ $lang = array(
'sync_from' => 'Sincronitza de', 'sync_from' => 'Sincronitza de',
'gateway_payment_text' => 'Factures: :invoices de :amount per al client :client', 'gateway_payment_text' => 'Factures: :invoices de :amount per al client :client',
'gateway_payment_text_no_invoice' => 'Pagament sense factura de :amount per al client :client', 'gateway_payment_text_no_invoice' => 'Pagament sense factura de :amount per al client :client',
'click_to_variables' => 'Click here to see all variables.', 'click_to_variables' => 'Feu clic aquí per veure totes les variables.',
'ship_to' => 'Envia a', 'ship_to' => 'Envia a',
'stripe_direct_debit_details' => 'Transferiu al compte bancari especificat a dalt, si us plau.', 'stripe_direct_debit_details' => 'Transferiu al compte bancari especificat a dalt, si us plau.',
'branch_name' => 'Nom de l\'oficina', 'branch_name' => 'Nom de l\'oficina',
@ -4925,335 +4928,347 @@ $lang = array(
'no_assigned_tasks' => 'No hi ha cap tasca cobrable a aquest projecte', 'no_assigned_tasks' => 'No hi ha cap tasca cobrable a aquest projecte',
'authorization_failure' => 'Permisos insuficients per a realitzar aquesta acció', 'authorization_failure' => 'Permisos insuficients per a realitzar aquesta acció',
'authorization_sms_failure' => 'Verifiqueu el vostre compte per a poder enviar missatges de correu.', 'authorization_sms_failure' => 'Verifiqueu el vostre compte per a poder enviar missatges de correu.',
'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key <br><br> You can manage your license here: https://invoiceninja.invoicing.co/client/login', 'white_label_body' => 'Gràcies per comprar una llicència de marca blanca.<br><br> La vostra clau de llicència és:<br><br> :license_key<br><br> Podeu gestionar la vostra llicència aquí: https://invoiceninja.invoicing.co/client/login',
'payment_type_Klarna' => 'Klarna', 'payment_type_Klarna' => 'Klarna',
'payment_type_Interac E Transfer' => 'Transferència Interac E', 'payment_type_Interac E Transfer' => 'Transferència Interac E',
'xinvoice_payable' => 'Payable within :payeddue days net until :paydate', 'xinvoice_payable' => 'Pagament dins de :payeddue dies nets fins a :paydate',
'xinvoice_no_buyers_reference' => "No buyer's reference given", 'xinvoice_no_buyers_reference' => "No s&#39;ha donat cap referència del comprador",
'xinvoice_online_payment' => 'The invoice needs to be paid online via the provided link', 'xinvoice_online_payment' => 'La factura s&#39;ha de pagar en línia mitjançant l&#39;enllaç proporcionat',
'pre_payment' => 'Pre Payment', 'pre_payment' => 'Prepagament',
'number_of_payments' => 'Number of payments', 'number_of_payments' => 'Nombre de pagaments',
'number_of_payments_helper' => 'The number of times this payment will be made', 'number_of_payments_helper' => 'El nombre de vegades que es farà aquest pagament',
'pre_payment_indefinitely' => 'Continue until cancelled', 'pre_payment_indefinitely' => 'Continueu fins que es cancel·li',
'notification_payment_emailed' => 'Payment :payment was emailed to :client', 'notification_payment_emailed' => 'El pagament :payment s&#39;ha enviat per correu electrònic a :client',
'notification_payment_emailed_subject' => 'Payment :payment was emailed', 'notification_payment_emailed_subject' => 'El pagament :payment s&#39;ha enviat per correu electrònic',
'record_not_found' => 'Record not found', 'record_not_found' => 'No s&#39;ha trobat el registre',
'minimum_payment_amount' => 'Minimum Payment Amount', 'minimum_payment_amount' => 'Import mínim de pagament',
'client_initiated_payments' => 'Client Initiated Payments', 'client_initiated_payments' => 'Pagaments iniciats pel client',
'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', 'client_initiated_payments_help' => 'Suport per realitzar un pagament al portal del client sense factura',
'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', 'share_invoice_quote_columns' => 'Comparteix les columnes de la factura/de la cotització',
'cc_email' => 'CC Email', 'cc_email' => 'Correu electrònic CC',
'payment_balance' => 'Payment Balance', 'payment_balance' => 'Balanç de pagament',
'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', 'view_report_permission' => 'Permet a l&#39;usuari accedir als informes, les dades es limiten als permisos disponibles',
'activity_138' => 'Payment :payment was emailed to :client', 'activity_138' => 'El pagament :payment s&#39;ha enviat per correu electrònic a :client',
'one_time_products' => 'One-Time Products', 'one_time_products' => 'Productes únics',
'optional_one_time_products' => 'Optional One-Time Products', 'optional_one_time_products' => 'Productes opcionals d&#39;una sola vegada',
'required' => 'Required', 'required' => 'Obligatori',
'hidden' => 'Hidden', 'hidden' => 'Ocult',
'payment_links' => 'Payment Links', 'payment_links' => 'Enllaços de pagament',
'payment_link' => 'Payment Link', 'payment_link' => 'Enllaç de pagament',
'new_payment_link' => 'New Payment Link', 'new_payment_link' => 'Nou enllaç de pagament',
'edit_payment_link' => 'Edit Payment Link', 'edit_payment_link' => 'Edita l&#39;enllaç de pagament',
'created_payment_link' => 'Successfully created payment link', 'created_payment_link' => 'L&#39;enllaç de pagament s&#39;ha creat correctament',
'updated_payment_link' => 'Successfully updated payment link', 'updated_payment_link' => 'L&#39;enllaç de pagament s&#39;ha actualitzat correctament',
'archived_payment_link' => 'Successfully archived payment link', 'archived_payment_link' => 'L&#39;enllaç de pagament s&#39;ha arxivat correctament',
'deleted_payment_link' => 'Successfully deleted payment link', 'deleted_payment_link' => 'L&#39;enllaç de pagament s&#39;ha suprimit correctament',
'removed_payment_link' => 'Successfully removed payment link', 'removed_payment_link' => 'L&#39;enllaç de pagament s&#39;ha eliminat correctament',
'restored_payment_link' => 'Successfully restored payment link', 'restored_payment_link' => 'L&#39;enllaç de pagament s&#39;ha restaurat correctament',
'search_payment_link' => 'Search 1 Payment Link', 'search_payment_link' => 'Cerca 1 enllaç de pagament',
'search_payment_links' => 'Search :count Payment Links', 'search_payment_links' => 'Cerca :count Enllaços de pagament',
'increase_prices' => 'Increase Prices', 'increase_prices' => 'Augmentar els preus',
'update_prices' => 'Update Prices', 'update_prices' => 'Actualitzar preus',
'incresed_prices' => 'Successfully queued prices to be increased', 'incresed_prices' => 'Els preus s&#39;han fet cua amb èxit per augmentar',
'updated_prices' => 'Successfully queued prices to be updated', 'updated_prices' => 'Els preus s&#39;han fet a la cua correctament per actualitzar-los',
'api_token' => 'API Token', 'api_token' => 'Token API',
'api_key' => 'API Key', 'api_key' => 'Clau de l&#39;API',
'endpoint' => 'Endpoint', 'endpoint' => 'Punt final',
'not_billable' => 'Not Billable', 'not_billable' => 'No facturable',
'allow_billable_task_items' => 'Allow Billable Task Items', 'allow_billable_task_items' => 'Permetre elements de tasques facturables',
'allow_billable_task_items_help' => 'Enable configuring which task items are billed', 'allow_billable_task_items_help' => 'Habiliteu la configuració de quins elements de la tasca es facturaran',
'show_task_item_description' => 'Show Task Item Description', 'show_task_item_description' => 'Mostra la descripció de l&#39;element de la tasca',
'show_task_item_description_help' => 'Enable specifying task item descriptions', 'show_task_item_description_help' => 'Habiliteu l&#39;especificació de descripcions d&#39;elements de tasca',
'email_record' => 'Email Record', 'email_record' => 'Registre de correu electrònic',
'invoice_product_columns' => 'Invoice Product Columns', 'invoice_product_columns' => 'Columnes de producte de factura',
'quote_product_columns' => 'Quote Product Columns', 'quote_product_columns' => 'Cotitzar les columnes del producte',
'vendors' => 'Vendors', 'vendors' => 'Venedors',
'product_sales' => 'Product Sales', 'product_sales' => 'Venda de productes',
'user_sales_report_header' => 'User sales report for client/s :client from :start_date to :end_date', 'user_sales_report_header' => 'Informe de vendes d&#39;usuari per al client/s :client de :start _date a :end _date',
'client_balance_report' => 'Customer balance report', 'client_balance_report' => 'Informe del saldo del client',
'client_sales_report' => 'Customer sales report', 'client_sales_report' => 'Informe de vendes al client',
'user_sales_report' => 'User sales report', 'user_sales_report' => 'Informe de vendes dels usuaris',
'aged_receivable_detailed_report' => 'Aged Receivable Detailed Report', 'aged_receivable_detailed_report' => 'Informe detallat d&#39;antiguitat',
'aged_receivable_summary_report' => 'Aged Receivable Summary Report', 'aged_receivable_summary_report' => 'Informe resum de comptes a cobrar antics',
'taxable_amount' => 'Taxable Amount', 'taxable_amount' => 'Import imposable',
'tax_summary' => 'Tax Summary', 'tax_summary' => 'Resum fiscal',
'oauth_mail' => 'OAuth / Mail', 'oauth_mail' => 'OAuth/Correu',
'preferences' => 'Preferences', 'preferences' => 'Preferències',
'analytics' => 'Analytics', 'analytics' => 'Analítica',
'reduced_rate' => 'Reduced Rate', 'reduced_rate' => 'Tarifa reduïda',
'tax_all' => 'Tax All', 'tax_all' => 'Impostos tots',
'tax_selected' => 'Tax Selected', 'tax_selected' => 'Impost seleccionat',
'version' => 'version', 'version' => 'versió',
'seller_subregion' => 'Seller Subregion', 'seller_subregion' => 'Subregió del venedor',
'calculate_taxes' => 'Calculate Taxes', 'calculate_taxes' => 'Calcula els impostos',
'calculate_taxes_help' => 'Automatically calculate taxes when saving invoices', 'calculate_taxes_help' => 'Calcula automàticament els impostos en desar les factures',
'link_expenses' => 'Link Expenses', 'link_expenses' => 'Despeses d&#39;enllaç',
'converted_client_balance' => 'Converted Client Balance', 'converted_client_balance' => 'Saldo de client convertit',
'converted_payment_balance' => 'Converted Payment Balance', 'converted_payment_balance' => 'Saldo de pagament convertit',
'total_hours' => 'Total Hours', 'total_hours' => 'Total Hores',
'date_picker_hint' => 'Use +days to set the date in the future', 'date_picker_hint' => 'Utilitzeu +dies per establir la data en el futur',
'app_help_link' => 'More information ', 'app_help_link' => 'Més informació ',
'here' => 'here', 'here' => 'aquí',
'industry_Restaurant & Catering' => 'Restaurant & Catering', 'industry_Restaurant & Catering' => 'Restauració i càtering',
'show_credits_table' => 'Show Credits Table', 'show_credits_table' => 'Mostra la taula de crèdits',
'manual_payment' => 'Payment Manual', 'manual_payment' => 'Manual de pagament',
'tax_summary_report' => 'Tax Summary Report', 'tax_summary_report' => 'Informe resum fiscal',
'tax_category' => 'Tax Category', 'tax_category' => 'Categoria Tributària',
'physical_goods' => 'Physical Goods', 'physical_goods' => 'Béns físics',
'digital_products' => 'Digital Products', 'digital_products' => 'Productes digitals',
'services' => 'Services', 'services' => 'Serveis',
'shipping' => 'Shipping', 'shipping' => 'Enviament',
'tax_exempt' => 'Tax Exempt', 'tax_exempt' => 'Exempt d&#39;impostos',
'late_fee_added_locked_invoice' => 'Late fee for invoice :invoice added on :date', 'late_fee_added_locked_invoice' => 'Comissió de retard per a la factura :invoice afegit a :date',
'lang_Khmer' => 'Khmer', 'lang_Khmer' => 'Khmer',
'routing_id' => 'Routing ID', 'routing_id' => 'ID d&#39;encaminament',
'enable_e_invoice' => 'Enable E-Invoice', 'enable_e_invoice' => 'Activa la factura electrònica',
'e_invoice_type' => 'E-Invoice Type', 'e_invoice_type' => 'Tipus de factura electrònica',
'reduced_tax' => 'Reduced Tax', 'reduced_tax' => 'Impost reduït',
'override_tax' => 'Override Tax', 'override_tax' => 'Anul·lar l&#39;impost',
'zero_rated' => 'Zero Rated', 'zero_rated' => 'Valoració zero',
'reverse_tax' => 'Reverse Tax', 'reverse_tax' => 'Impost invers',
'updated_tax_category' => 'Successfully updated the tax category', 'updated_tax_category' => 'S&#39;ha actualitzat correctament la categoria fiscal',
'updated_tax_categories' => 'Successfully updated the tax categories', 'updated_tax_categories' => 'S&#39;han actualitzat correctament les categories fiscals',
'set_tax_category' => 'Set Tax Category', 'set_tax_category' => 'Estableix la categoria fiscal',
'payment_manual' => 'Payment Manual', 'payment_manual' => 'Manual de pagament',
'expense_payment_type' => 'Expense Payment Type', 'expense_payment_type' => 'Tipus de pagament de despeses',
'payment_type_Cash App' => 'Cash App', 'payment_type_Cash App' => 'Aplicació Cash',
'rename' => 'Rename', 'rename' => 'Canvia el nom',
'renamed_document' => 'Successfully renamed document', 'renamed_document' => 'S&#39;ha canviat de nom el document correctament',
'e_invoice' => 'E-Invoice', 'e_invoice' => 'Factura electrònica',
'light_dark_mode' => 'Light/Dark Mode', 'light_dark_mode' => 'Mode clar/fosc',
'activities' => 'Activities', 'activities' => 'Activitats',
'recent_transactions' => "Here are your company's most recent transactions:", 'recent_transactions' => "Aquestes són les transaccions més recents de la vostra empresa:",
'country_Palestine' => "Palestine", 'country_Palestine' => "Palestina",
'country_Taiwan' => 'Taiwan', 'country_Taiwan' => 'Taiwan',
'duties' => 'Duties', 'duties' => 'Deures',
'order_number' => 'Order Number', 'order_number' => 'Número d&#39;ordre',
'order_id' => 'Order', 'order_id' => 'Ordre',
'total_invoices_outstanding' => 'Total Invoices Outstanding', 'total_invoices_outstanding' => 'Total de factures pendents',
'recent_activity' => 'Recent Activity', 'recent_activity' => 'Activitat recent',
'enable_auto_bill' => 'Enable auto billing', 'enable_auto_bill' => 'Activa la facturació automàtica',
'email_count_invoices' => 'Email :count invoices', 'email_count_invoices' => 'Correu electrònic :count factures',
'invoice_task_item_description' => 'Invoice Task Item Description', 'invoice_task_item_description' => 'Descripció de l&#39;element de la tasca de la factura',
'invoice_task_item_description_help' => 'Add the item description to the invoice line items', 'invoice_task_item_description_help' => 'Afegiu la descripció de l&#39;article a les línies de la factura',
'next_send_time' => 'Next Send Time', 'next_send_time' => 'Pròxima hora d&#39;enviament',
'uploaded_certificate' => 'Successfully uploaded certificate', 'uploaded_certificate' => 'Certificat carregat correctament',
'certificate_set' => 'Certificate set', 'certificate_set' => 'Conjunt de certificats',
'certificate_not_set' => 'Certificate not set', 'certificate_not_set' => 'Certificat no establert',
'passphrase_set' => 'Passphrase set', 'passphrase_set' => 'Conjunt de frase de contrasenya',
'passphrase_not_set' => 'Passphrase not set', 'passphrase_not_set' => 'No s&#39;ha definit la contrasenya',
'upload_certificate' => 'Upload Certificate', 'upload_certificate' => 'Carrega el certificat',
'certificate_passphrase' => 'Certificate Passphrase', 'certificate_passphrase' => 'Frase de contrasenya del certificat',
'valid_vat_number' => 'Valid VAT Number', 'valid_vat_number' => 'Número d&#39;IVA vàlid',
'react_notification_link' => 'React Notification Links', 'react_notification_link' => 'Enllaços de notificació de reacció',
'react_notification_link_help' => 'Admin emails will contain links to the react application', 'react_notification_link_help' => 'Els correus electrònics de l&#39;administrador contindran enllaços a l&#39;aplicació react',
'show_task_billable' => 'Show Task Billable', 'show_task_billable' => 'Mostra la tasca facturable',
'credit_item' => 'Credit Item', 'credit_item' => 'Partida de crèdit',
'drop_file_here' => 'Drop file here', 'drop_file_here' => 'Deixa anar el fitxer aquí',
'files' => 'Files', 'files' => 'Fitxers',
'camera' => 'Camera', 'camera' => 'Càmera',
'gallery' => 'Gallery', 'gallery' => 'Galeria',
'project_location' => 'Project Location', 'project_location' => 'Localització del projecte',
'add_gateway_help_message' => 'Add a payment gateway (ie. Stripe, WePay or PayPal) to accept online payments', 'add_gateway_help_message' => 'Afegiu una passarel·la de pagament (és a dir, Stripe, WePay o PayPal) per acceptar pagaments en línia',
'lang_Hungarian' => 'Hungarian', 'lang_Hungarian' => 'hongarès',
'use_mobile_to_manage_plan' => 'Use your phone subscription settings to manage your plan', 'use_mobile_to_manage_plan' => 'Utilitzeu la configuració de la vostra subscripció telefònica per gestionar el vostre pla',
'item_tax3' => 'Item Tax3', 'item_tax3' => 'Article Impost3',
'item_tax_rate1' => 'Item Tax Rate 1', 'item_tax_rate1' => 'Tipus impositiu de l&#39;article 1',
'item_tax_rate2' => 'Item Tax Rate 2', 'item_tax_rate2' => 'Tipus impositiu de l&#39;article 2',
'item_tax_rate3' => 'Item Tax Rate 3', 'item_tax_rate3' => 'Tipus impositiu de l&#39;article 3',
'buy_price' => 'Buy Price', 'buy_price' => 'Preu de compra',
'country_Macedonia' => 'Macedonia', 'country_Macedonia' => 'Macedònia',
'admin_initiated_payments' => 'Admin Initiated Payments', 'admin_initiated_payments' => 'Pagaments iniciats per l&#39;administració',
'admin_initiated_payments_help' => 'Support entering a payment in the admin portal without an invoice', 'admin_initiated_payments_help' => 'Suport per introduir un pagament al portal d&#39;administració sense factura',
'paid_date' => 'Paid Date', 'paid_date' => 'Data de pagament',
'downloaded_entities' => 'An email will be sent with the PDFs', 'downloaded_entities' => 'S&#39;enviarà un correu electrònic amb els PDF',
'lang_French - Swiss' => 'French - Swiss', 'lang_French - Swiss' => 'francès - suís',
'currency_swazi_lilangeni' => 'Swazi Lilangeni', 'currency_swazi_lilangeni' => 'Swazi Lilangeni',
'income' => 'Income', 'income' => 'Ingressos',
'amount_received_help' => 'Enter a value here if the total amount received was MORE than the invoice amount, or when recording a payment with no invoices. Otherwise this field should be left blank.', 'amount_received_help' => 'Introduïu un valor aquí si l&#39;import total rebut era MÉS que l&#39;import de la factura o quan registreu un pagament sense factures. En cas contrari, aquest camp s&#39;ha de deixar en blanc.',
'vendor_phone' => 'Vendor Phone', 'vendor_phone' => 'Telèfon del venedor',
'mercado_pago' => 'Mercado Pago', 'mercado_pago' => 'Mercat Pago',
'mybank' => 'MyBank', 'mybank' => 'MyBank',
'paypal_paylater' => 'Pay in 4', 'paypal_paylater' => 'Paga en 4',
'paid_date' => 'Paid Date', 'paid_date' => 'Data de pagament',
'district' => 'District', 'district' => 'Districte',
'region' => 'Region', 'region' => 'Regió',
'county' => 'County', 'county' => 'comtat',
'tax_details' => 'Tax Details', 'tax_details' => 'Detalls fiscals',
'activity_10_online' => ':contact made payment :payment for invoice :invoice for :client', 'activity_10_online' => ':contact ha fet el pagament :payment per a la factura :invoice per a :client',
'activity_10_manual' => ':user entered payment :payment for invoice :invoice for :client', 'activity_10_manual' => ':user ha introduït el pagament :payment per a la factura :invoice per a :client',
'default_payment_type' => 'Default Payment Type', 'default_payment_type' => 'Tipus de pagament predeterminat',
'number_precision' => 'Number precision', 'number_precision' => 'Precisió numèrica',
'number_precision_help' => 'Controls the number of decimals supported in the interface', 'number_precision_help' => 'Controla el nombre de decimals admesos a la interfície',
'is_tax_exempt' => 'Tax Exempt', 'is_tax_exempt' => 'Exempt d&#39;impostos',
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Deixeu fitxers aquí',
'upload_files' => 'Upload Files', 'upload_files' => 'Carregar fitxers',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Descarrega la factura electrònica',
'triangular_tax_info' => 'Intra-community triangular transaction', 'download_e_credit' => 'Descarrega E-Credit',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'download_e_quote' => 'Descarregar E-Quote',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'triangular_tax_info' => 'Transacció triangular intracomunitària',
'currency_nicaraguan_cordoba' => 'Nicaraguan Córdoba', 'intracommunity_tax_info' => 'Lliurament intracomunitari lliure d&#39;impostos',
'public' => 'Public', 'reverse_tax_info' => 'Tingueu en compte que aquest subministrament està subjecte a càrrec invers',
'private' => 'Private', 'currency_nicaraguan_cordoba' => 'Còrdova nicaragüenca',
'image' => 'Image', 'public' => 'Públic',
'other' => 'Other', 'private' => 'Privat',
'linked_to' => 'Linked To', 'image' => 'Imatge',
'file_saved_in_path' => 'The file has been saved in :path', 'other' => 'Altres',
'unlinked_transactions' => 'Successfully unlinked :count transactions', 'linked_to' => 'Vinculat a',
'unlinked_transaction' => 'Successfully unlinked transaction', 'file_saved_in_path' => 'El fitxer s&#39;ha desat a :path',
'view_dashboard_permission' => 'Allow user to access the dashboard, data is limited to available permissions', 'unlinked_transactions' => 'Transaccions :count desenllaçades correctament',
'marked_sent_credits' => 'Successfully marked credits sent', 'unlinked_transaction' => 'La transacció s&#39;ha desenllaçat correctament',
'show_document_preview' => 'Show Document Preview', 'view_dashboard_permission' => 'Permet a l&#39;usuari accedir al tauler, les dades es limiten als permisos disponibles',
'cash_accounting' => 'Cash accounting', 'marked_sent_credits' => 'S&#39;han enviat crèdits marcats correctament',
'click_or_drop_files_here' => 'Click or drop files here', 'show_document_preview' => 'Mostra la vista prèvia del document',
'set_public' => 'Set public', 'cash_accounting' => 'Comptabilitat de caixa',
'set_private' => 'Set private', 'click_or_drop_files_here' => 'Feu clic o deixeu anar els fitxers aquí',
'set_public' => 'Establir públic',
'set_private' => 'Estableix privat',
'individual' => 'Individual', 'individual' => 'Individual',
'business' => 'Business', 'business' => 'Negocis',
'partnership' => 'Partnership', 'partnership' => 'Associació',
'trust' => 'Trust', 'trust' => 'Confia',
'charity' => 'Charity', 'charity' => 'Caritat',
'government' => 'Government', 'government' => 'Govern',
'in_stock_quantity' => 'Stock quantity', 'in_stock_quantity' => 'Quantitat d&#39;estoc',
'vendor_contact' => 'Vendor Contact', 'vendor_contact' => 'Contacte del venedor',
'expense_status_4' => 'Unpaid', 'expense_status_4' => 'Sense pagar',
'expense_status_5' => 'Paid', 'expense_status_5' => 'Pagat',
'ziptax_help' => 'Note: this feature requires a Zip-Tax API key to lookup US sales tax by address', 'ziptax_help' => 'Nota: aquesta funció requereix una clau API Zip-Tax per cercar l&#39;impost de vendes dels EUA per adreça',
'cache_data' => 'Cache Data', 'cache_data' => 'Dades de la memòria cau',
'unknown' => 'Unknown', 'unknown' => 'Desconegut',
'webhook_failure' => 'Webhook Failure', 'webhook_failure' => 'Error del webhook',
'email_opened' => 'Email Opened', 'email_opened' => 'Correu electrònic obert',
'email_delivered' => 'Email Delivered', 'email_delivered' => 'Correu electrònic lliurat',
'log' => 'Log', 'log' => 'Registre',
'classification' => 'Classification', 'classification' => 'Classificació',
'stock_quantity_number' => 'Stock :quantity', 'stock_quantity_number' => 'Stock: quantitat',
'upcoming' => 'Upcoming', 'upcoming' => 'Properament',
'client_contact' => 'Client Contact', 'client_contact' => 'Contacte amb el client',
'uncategorized' => 'Uncategorized', 'uncategorized' => 'Sense categoria',
'login_notification' => 'Login Notification', 'login_notification' => 'Notificació d&#39;inici de sessió',
'login_notification_help' => 'Sends an email notifying that a login has taken place.', 'login_notification_help' => 'Envia un correu electrònic notificant que s&#39;ha iniciat una sessió.',
'payment_refund_receipt' => 'Payment Refund Receipt # :number', 'payment_refund_receipt' => 'Rebut de devolució del pagament # :number',
'payment_receipt' => 'Payment Receipt # :number', 'payment_receipt' => 'Rebut de pagament # :number',
'load_template_description' => 'The template will be applied to following:', 'load_template_description' => 'La plantilla s&#39;aplicarà a:',
'run_template' => 'Run template', 'run_template' => 'Executar plantilla',
'statement_design' => 'Statement Design', 'statement_design' => 'Disseny de declaracions',
'delivery_note_design' => 'Delivery Note Design', 'delivery_note_design' => 'Disseny de albarans',
'payment_receipt_design' => 'Payment Receipt Design', 'payment_receipt_design' => 'Disseny del rebut de pagament',
'payment_refund_design' => 'Payment Refund Design', 'payment_refund_design' => 'Disseny de devolució de pagament',
'task_extension_banner' => 'Add the Chrome extension to manage your tasks', 'task_extension_banner' => 'Afegiu l&#39;extensió de Chrome per gestionar les vostres tasques',
'watch_video' => 'Watch Video', 'watch_video' => 'Mira el vídeo',
'view_extension' => 'View Extension', 'view_extension' => 'Visualitza l&#39;extensió',
'reactivate_email' => 'Reactivate Email', 'reactivate_email' => 'Reactiva el correu electrònic',
'email_reactivated' => 'Successfully reactivated email', 'email_reactivated' => 'Correu electrònic reactivat correctament',
'template_help' => 'Enable using the design as a template', 'template_help' => 'Habiliteu l&#39;ús del disseny com a plantilla',
'quarter' => 'Quarter', 'quarter' => 'Quarter',
'item_description' => 'Item Description', 'item_description' => 'Descripció de l&#39;Article',
'task_item' => 'Task Item', 'task_item' => 'Element de la tasca',
'record_state' => 'Record State', 'record_state' => 'Estat de registre',
'save_files_to_this_folder' => 'Save files to this folder', 'save_files_to_this_folder' => 'Desa els fitxers en aquesta carpeta',
'downloads_folder' => 'Downloads Folder', 'downloads_folder' => 'Carpeta de descàrregues',
'total_invoiced_quotes' => 'Invoiced Quotes', 'total_invoiced_quotes' => 'Pressupostos facturats',
'total_invoice_paid_quotes' => 'Invoice Paid Quotes', 'total_invoice_paid_quotes' => 'Facturar pressupostos pagats',
'downloads_folder_does_not_exist' => 'The downloads folder does not exist :value', 'downloads_folder_does_not_exist' => 'La carpeta de descàrregues no existeix :value',
'user_logged_in_notification' => 'User Logged in Notification', 'user_logged_in_notification' => 'Notificació d&#39;inici de sessió d&#39;usuari',
'user_logged_in_notification_help' => 'Send an email when logging in from a new location', 'user_logged_in_notification_help' => 'Envieu un correu electrònic quan inicieu sessió des d&#39;una ubicació nova',
'payment_email_all_contacts' => 'Payment Email To All Contacts', 'payment_email_all_contacts' => 'Correu electrònic de pagament a tots els contactes',
'payment_email_all_contacts_help' => 'Sends the payment email to all contacts when enabled', 'payment_email_all_contacts_help' => 'Envia el correu electrònic de pagament a tots els contactes quan està activat',
'add_line' => 'Add Line', 'add_line' => 'Afegeix una línia',
'activity_139' => 'Expense :expense notification sent to :contact', 'activity_139' => 'Notificació de despeses :expense enviada a :contact',
'vendor_notification_subject' => 'Confirmation of payment :amount sent to :vendor', 'vendor_notification_subject' => 'Confirmació de pagament :amount enviada a :vendor',
'vendor_notification_body' => 'Payment processed for :amount dated :payment_date. <br>[Transaction Reference: :transaction_reference]', 'vendor_notification_body' => 'Pagament processat per a :amount amb data :payment _data.<br> [Referència de la transacció: :transaction_reference ]',
'receipt' => 'Receipt', 'receipt' => 'Rebut',
'charges' => 'Charges', 'charges' => 'Càrrecs',
'email_report' => 'Email Report', 'email_report' => 'Informe per correu electrònic',
'payment_type_Pay Later' => 'Pay Later', 'payment_type_Pay Later' => 'Paga més tard',
'payment_type_credit' => 'Payment Type Credit', 'payment_type_credit' => 'Tipus de pagament Crèdit',
'payment_type_debit' => 'Payment Type Debit', 'payment_type_debit' => 'Tipus de pagament Dèbit',
'send_emails_to' => 'Send Emails To', 'send_emails_to' => 'Enviar correus electrònics a',
'primary_contact' => 'Primary Contact', 'primary_contact' => 'Contacte principal',
'all_contacts' => 'All Contacts', 'all_contacts' => 'Tots els contactes',
'insert_below' => 'Insert Below', 'insert_below' => 'Insereix a continuació',
'nordigen_handler_subtitle' => 'Bank account authentication. Selecting your institution to complete the request with your account credentials.', 'nordigen_handler_subtitle' => 'Autenticació del compte bancari. Seleccioneu la vostra institució per completar la sol·licitud amb les credencials del vostre compte.',
'nordigen_handler_error_heading_unknown' => 'An error has occured', 'nordigen_handler_error_heading_unknown' => 'S&#39;ha produït un error',
'nordigen_handler_error_contents_unknown' => 'An unknown error has occurred! Reason:', 'nordigen_handler_error_contents_unknown' => 'Ha ocorregut un error desconegut! Motiu:',
'nordigen_handler_error_heading_token_invalid' => 'Invalid Token', 'nordigen_handler_error_heading_token_invalid' => 'token invàlid',
'nordigen_handler_error_contents_token_invalid' => 'The provided token was invalid. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_token_invalid' => 'El testimoni proporcionat no era vàlid. Contacteu amb l&#39;assistència per obtenir ajuda, si aquest problema persisteix.',
'nordigen_handler_error_heading_account_config_invalid' => 'Missing Credentials', 'nordigen_handler_error_heading_account_config_invalid' => 'Falten credencials',
'nordigen_handler_error_contents_account_config_invalid' => 'Invalid or missing credentials for Gocardless Bank Account Data. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_account_config_invalid' => 'Les credencials no són vàlides o falten per a les dades del compte bancari de Gocardless. Contacteu amb l&#39;assistència per obtenir ajuda, si aquest problema persisteix.',
'nordigen_handler_error_heading_not_available' => 'Not Available', 'nordigen_handler_error_heading_not_available' => 'No disponible',
'nordigen_handler_error_contents_not_available' => 'Feature unavailable, enterprise plan only.', 'nordigen_handler_error_contents_not_available' => 'Funció no disponible, només pla d&#39;empresa.',
'nordigen_handler_error_heading_institution_invalid' => 'Invalid Institution', 'nordigen_handler_error_heading_institution_invalid' => 'Institució no vàlida',
'nordigen_handler_error_contents_institution_invalid' => 'The provided institution-id is invalid or no longer valid.', 'nordigen_handler_error_contents_institution_invalid' => 'L&#39;identificador d&#39;institució proporcionat no és vàlid o ja no és vàlid.',
'nordigen_handler_error_heading_ref_invalid' => 'Invalid Reference', 'nordigen_handler_error_heading_ref_invalid' => 'Referència no vàlida',
'nordigen_handler_error_contents_ref_invalid' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_ref_invalid' => 'GoCardless no ha proporcionat una referència vàlida. Si us plau, torneu a executar el flux i contacteu amb el servei d&#39;assistència si aquest problema persisteix.',
'nordigen_handler_error_heading_not_found' => 'Invalid Requisition', 'nordigen_handler_error_heading_not_found' => 'Requisit no vàlid',
'nordigen_handler_error_contents_not_found' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_not_found' => 'GoCardless no ha proporcionat una referència vàlida. Si us plau, torneu a executar el flux i contacteu amb el servei d&#39;assistència si aquest problema persisteix.',
'nordigen_handler_error_heading_requisition_invalid_status' => 'Not Ready', 'nordigen_handler_error_heading_requisition_invalid_status' => 'No està llest',
'nordigen_handler_error_contents_requisition_invalid_status' => 'You called this site too early. Please finish authorization and refresh this page. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'Has trucat a aquest lloc massa aviat. Finalitzeu l&#39;autorització i actualitzeu aquesta pàgina. Contacteu amb l&#39;assistència per obtenir ajuda, si aquest problema persisteix.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'No Accounts selected', 'nordigen_handler_error_heading_requisition_no_accounts' => 'No s&#39;ha seleccionat cap compte',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'El servei no ha retornat cap compte vàlid. Penseu en reiniciar el flux.',
'nordigen_handler_restart' => 'Restart flow.', 'nordigen_handler_restart' => 'Reinicieu el flux.',
'nordigen_handler_return' => 'Return to application.', 'nordigen_handler_return' => 'Tornar a l&#39;aplicació.',
'lang_Lao' => 'Lao', 'lang_Lao' => 'Lao',
'currency_lao_kip' => 'Lao kip', 'currency_lao_kip' => 'Lao kip',
'yodlee_regions' => 'Regions: USA, UK, Australia & India', 'yodlee_regions' => 'Regions: EUA, Regne Unit, Austràlia i Índia',
'nordigen_regions' => 'Regions: Europe & UK', 'nordigen_regions' => 'Regions: Europa i Regne Unit',
'select_provider' => 'Select Provider', 'select_provider' => 'Seleccioneu Proveïdor',
'nordigen_requisition_subject' => 'Requisition expired, please reauthenticate.', 'nordigen_requisition_subject' => 'La sol·licitud ha caducat, torneu a autenticar.',
'nordigen_requisition_body' => 'Access to bank account feeds has expired as set in End User Agreement. <br><br>Please log into Invoice Ninja and re-authenticate with your banks to continue receiving transactions.', 'nordigen_requisition_body' => 'L&#39;accés als feeds del compte bancari ha caducat tal com s&#39;estableix a l&#39;Acord d&#39;usuari final.<br><br> Inicieu sessió a Invoice Ninja i torneu a autenticar-vos amb els vostres bancs per continuar rebent transaccions.',
'participant' => 'Participant', 'participant' => 'Participant',
'participant_name' => 'Participant name', 'participant_name' => 'Nom del participant',
'client_unsubscribed' => 'Client unsubscribed from emails.', 'client_unsubscribed' => 'Client cancel·lat la subscripció dels correus electrònics.',
'client_unsubscribed_help' => 'Client :client has unsubscribed from your e-mails. The client needs to consent to receive future emails from you.', 'client_unsubscribed_help' => 'El client :client s&#39;ha cancel·lat la subscripció dels vostres correus electrònics. El client ha de donar el seu consentiment per rebre futurs correus electrònics de la teva part.',
'resubscribe' => 'Resubscribe', 'resubscribe' => 'Torna a subscriure&#39;t',
'subscribe' => 'Subscribe', 'subscribe' => 'Subscriu-te',
'subscribe_help' => 'You are currently subscribed and will continue to receive email communications.', 'subscribe_help' => 'Actualment esteu subscrit i continuareu rebent comunicacions per correu electrònic.',
'unsubscribe_help' => 'You are currently not subscribed, and therefore, will not receive emails at this time.', 'unsubscribe_help' => 'Actualment no estàs subscrit i, per tant, no rebràs correus electrònics en aquest moment.',
'notification_purchase_order_bounced' => 'We were unable to deliver Purchase Order :invoice to :contact. <br><br> :error', 'notification_purchase_order_bounced' => 'No hem pogut lliurar la comanda de compra :invoice a :contact .<br><br> :error',
'notification_purchase_order_bounced_subject' => 'Unable to deliver Purchase Order :invoice', 'notification_purchase_order_bounced_subject' => 'No es pot lliurar la comanda de compra :invoice',
'show_pdfhtml_on_mobile' => 'Display HTML version of entity when viewing on mobile', 'show_pdfhtml_on_mobile' => 'Mostra la versió HTML de l&#39;entitat quan la visualitzes al mòbil',
'show_pdfhtml_on_mobile_help' => 'For improved visualization, displays a HTML version of the invoice/quote when viewing on mobile.', 'show_pdfhtml_on_mobile_help' => 'Per millorar la visualització, mostra una versió HTML de la factura/de l&#39;oferta quan la visualitzeu al mòbil.',
'please_select_an_invoice_or_credit' => 'Please select an invoice or credit', 'please_select_an_invoice_or_credit' => 'Seleccioneu una factura o crèdit',
'mobile_version' => 'Mobile Version', 'mobile_version' => 'Versió mòbil',
'venmo' => 'Venmo', 'venmo' => 'Venmo',
'my_bank' => 'MyBank', 'my_bank' => 'MyBank',
'pay_later' => 'Pay Later', 'pay_later' => 'Paga més tard',
'local_domain' => 'Local Domain', 'local_domain' => 'Domini local',
'verify_peer' => 'Verify Peer', 'verify_peer' => 'Verifiqueu Peer',
'nordigen_help' => 'Note: connecting an account requires a GoCardless/Nordigen API key', 'nordigen_help' => 'Nota: per connectar un compte, cal una clau d&#39;API GoCardless/Nordigen',
'ar_detailed' => 'Accounts Receivable Detailed', 'ar_detailed' => 'Comptes a cobrar detallats',
'ar_summary' => 'Accounts Receivable Summary', 'ar_summary' => 'Resum de comptes a cobrar',
'client_sales' => 'Client Sales', 'client_sales' => 'Vendes al client',
'user_sales' => 'User Sales', 'user_sales' => 'Vendes d&#39;usuaris',
'iframe_url' => 'iFrame URL', 'iframe_url' => 'URL iFrame',
'user_unsubscribed' => 'User unsubscribed from emails :link', 'user_unsubscribed' => 'L&#39;usuari ha cancel·lat la subscripció als correus electrònics :link',
'use_available_payments' => 'Use Available Payments', 'use_available_payments' => 'Utilitzeu els pagaments disponibles',
'test_email_sent' => 'Successfully sent email', 'test_email_sent' => 'Correu electrònic enviat correctament',
'gateway_type' => 'Gateway Type', 'gateway_type' => 'Tipus de passarel·la',
'save_template_body' => 'Would you like to save this import mapping as a template for future use?', 'save_template_body' => 'Voleu desar aquesta assignació d&#39;importació com a plantilla per a un ús futur?',
'save_as_template' => 'Save Template Mapping', 'save_as_template' => 'Desa el mapatge de plantilles',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'Factura automàticament les factures estàndard en la data de venciment',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'Factura automàtica a la data d&#39;enviament O data de venciment (factures recurrents)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'Apliqueu qualsevol saldo de crèdit als pagaments abans de cobrar un mètode de pagament',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'Utilitzeu pagaments no aplicats',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'Apliqueu qualsevol saldo de pagament abans de cobrar un mètode de pagament',
'payment_terms_help' => 'Sets the default <b>invoice due date</b>', 'payment_terms_help' => 'Sets the default <b>invoice due date</b>',
'payment_type_help' => 'Sets the default <b>manual payment type</b>.', 'payment_type_help' => 'Sets the default <b>manual payment type</b>.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'El nombre de dies durant els quals el pressupost és vàlid',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'El tipus de pagament de despeses predeterminat que s&#39;utilitzarà',
'paylater' => 'Pay in 4', 'paylater' => 'Paga en 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Proveïdor de pagament',
'select_email_provider' => 'Estableix el teu correu electrònic com a usuari remitent',
'purchase_order_items' => 'Articles de la comanda de compra',
'csv_rows_length' => 'No s&#39;han trobat dades en aquest fitxer CSV',
'accept_payments_online' => 'Accepteu pagaments en línia',
'all_payment_gateways' => 'Veure totes les passarel·les de pagament',
'product_cost' => 'Cost del producte',
'enable_rappen_roudning' => 'Activa l&#39;arrodoniment de Rappen',
'enable_rappen_rounding_help' => 'Arrodoneix els totals al 5 més proper',
'duration_words' => 'Durada en paraules',
'upcoming_recurring_invoices' => 'Pròximes factures recurrents',
'total_invoices' => 'Total de factures',
); );
return $lang; return $lang;

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'Smazat Token', 'delete_token' => 'Smazat Token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Smazat platební bránu', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Editovat bránu', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Brána úspěšně změněna', 'updated_gateway' => 'Brána úspěšně změněna',
'created_gateway' => 'Brána úspěšně vytvořena', 'created_gateway' => 'Brána úspěšně vytvořena',
'deleted_gateway' => 'Brána úspěšně smazána', 'deleted_gateway' => 'Brána úspěšně smazána',
@ -2198,6 +2198,8 @@ $lang = array(
'encryption' => 'Šifrování', 'encryption' => 'Šifrování',
'mailgun_domain' => 'Mailgun Domain', 'mailgun_domain' => 'Mailgun Domain',
'mailgun_private_key' => 'Mailgun Private Key', 'mailgun_private_key' => 'Mailgun Private Key',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Odeslat zkušební e-mail', 'send_test_email' => 'Odeslat zkušební e-mail',
'select_label' => 'Vybrat štítek', 'select_label' => 'Vybrat štítek',
'label' => 'Štítek', 'label' => 'Štítek',
@ -4848,6 +4850,7 @@ $lang = array(
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5100,6 +5103,8 @@ $lang = array(
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5254,7 +5259,17 @@ $lang = array(
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -460,9 +460,9 @@ $lang = array(
'edit_token' => 'Redigér token', 'edit_token' => 'Redigér token',
'delete_token' => 'Slet token', 'delete_token' => 'Slet token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Tilføj Betalingsgateway',
'delete_gateway' => 'Slet gateway', 'delete_gateway' => 'Slet Betalingsgateway',
'edit_gateway' => 'Redigér gateway', 'edit_gateway' => 'Redigér Betalingsgateway',
'updated_gateway' => 'Gateway blev opdateret', 'updated_gateway' => 'Gateway blev opdateret',
'created_gateway' => 'Gateway blev oprettet', 'created_gateway' => 'Gateway blev oprettet',
'deleted_gateway' => 'Gateway blev slettet', 'deleted_gateway' => 'Gateway blev slettet',
@ -506,8 +506,8 @@ $lang = array(
'auto_wrap' => 'Automatisk linie ombrydning', 'auto_wrap' => 'Automatisk linie ombrydning',
'duplicate_post' => 'Advarsel: den foregående side blev sendt to gange. Den anden afsendelse er blevet ignoreret.', 'duplicate_post' => 'Advarsel: den foregående side blev sendt to gange. Den anden afsendelse er blevet ignoreret.',
'view_documentation' => 'Vis dokumentation', 'view_documentation' => 'Vis dokumentation',
'app_title' => 'Free Online Invoicing', 'app_title' => 'Gratis online Fakturering',
'app_description' => 'Invoice Ninja is a free, open-code solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.', 'app_description' => 'Faktura Ninja er en gratis, åben kodeløsning til Fakturering og faktureringskunder. Med Faktura Ninja kan du nemt bygge og sende smukke Faktura er fra enhver enhed, der har adgang til nettet. Din Klienter kan udskrive din Faktura er, downloade dem som PDF filer og endda betale dig online inde fra systemet.',
'rows' => 'rækker', 'rows' => 'rækker',
'www' => 'www', 'www' => 'www',
'logo' => 'Logo', 'logo' => 'Logo',
@ -693,9 +693,9 @@ $lang = array(
'disable' => 'Disable', 'disable' => 'Disable',
'invoice_quote_number' => 'Invoice and Quote Numbers', 'invoice_quote_number' => 'Invoice and Quote Numbers',
'invoice_charges' => 'Faktura tillægsgebyr', 'invoice_charges' => 'Faktura tillægsgebyr',
'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact. <br><br> :error', 'notification_invoice_bounced' => 'Vi var ikke i stand til at levere Faktura :invoice til :contact .<br><br> :error',
'notification_invoice_bounced_subject' => 'Unable to deliver Invoice :invoice', 'notification_invoice_bounced_subject' => 'Unable to deliver Invoice :invoice',
'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact. <br><br> :error', 'notification_quote_bounced' => 'Vi var ikke i stand til at levere tilbud :invoice til :contact .<br><br> :error',
'notification_quote_bounced_subject' => 'Unable to deliver Quote :invoice', 'notification_quote_bounced_subject' => 'Unable to deliver Quote :invoice',
'custom_invoice_link' => 'Custom Invoice Link', 'custom_invoice_link' => 'Custom Invoice Link',
'total_invoiced' => 'Faktureret i alt', 'total_invoiced' => 'Faktureret i alt',
@ -1900,7 +1900,7 @@ $lang = array(
'require_quote_signature_help' => 'Kræv at klienten giver deres underskrift.', 'require_quote_signature_help' => 'Kræv at klienten giver deres underskrift.',
'i_agree' => 'Jeg accepterer betingelserne', 'i_agree' => 'Jeg accepterer betingelserne',
'sign_here' => 'Underskriv venligst her (Denne underskrift er juridisk bindende):', 'sign_here' => 'Underskriv venligst her (Denne underskrift er juridisk bindende):',
'sign_here_ux_tip' => 'Use the mouse or your touchpad to trace your signature.', 'sign_here_ux_tip' => 'Brug musen eller din touchpad til at spore din signatur.',
'authorization' => 'Autorisation', 'authorization' => 'Autorisation',
'signed' => 'Underskrevet', 'signed' => 'Underskrevet',
@ -2196,6 +2196,8 @@ $lang = array(
'encryption' => 'Kryptering', 'encryption' => 'Kryptering',
'mailgun_domain' => 'Mailgun domæne', 'mailgun_domain' => 'Mailgun domæne',
'mailgun_private_key' => 'Mailgun privat nøgle', 'mailgun_private_key' => 'Mailgun privat nøgle',
'brevo_domain' => 'Brevo domæne',
'brevo_private_key' => 'Brevo privat nøgle',
'send_test_email' => 'Send test e-mail', 'send_test_email' => 'Send test e-mail',
'select_label' => 'Vælg Label', 'select_label' => 'Vælg Label',
'label' => 'Etiket', 'label' => 'Etiket',
@ -3009,7 +3011,7 @@ $lang = array(
'hosted_login' => 'Hostet login', 'hosted_login' => 'Hostet login',
'selfhost_login' => 'Selfhost Login', 'selfhost_login' => 'Selfhost Login',
'google_login' => 'Google login', 'google_login' => 'Google login',
'thanks_for_patience' => 'Thank for your patience while we work to implement these features.<br><br>We hope to have them completed in the next few months.<br><br>Until then we\'ll continue to support the', 'thanks_for_patience' => 'Tak for din tålmodighed, mens vi arbejder på at implementere disse funktioner.<br><br> Vi håber at få dem færdige i løbet af de næste par måneder.<br><br> Indtil da vil vi fortsætte med at støtte',
'legacy_mobile_app' => 'ældre mobilapp', 'legacy_mobile_app' => 'ældre mobilapp',
'today' => 'I dag', 'today' => 'I dag',
'current' => 'Nuværende', 'current' => 'Nuværende',
@ -3327,7 +3329,7 @@ $lang = array(
'credit_number_counter' => 'Kreditnummertæller', 'credit_number_counter' => 'Kreditnummertæller',
'reset_counter_date' => 'Nulstil tællerdato', 'reset_counter_date' => 'Nulstil tællerdato',
'counter_padding' => 'Bordpolstring', 'counter_padding' => 'Bordpolstring',
'shared_invoice_quote_counter' => 'Share Invoice/Quote Counter', 'shared_invoice_quote_counter' => 'Del Faktura /Citat tæller',
'default_tax_name_1' => 'Standard skattenavn 1', 'default_tax_name_1' => 'Standard skattenavn 1',
'default_tax_rate_1' => 'Standardafgiftssats 1', 'default_tax_rate_1' => 'Standardafgiftssats 1',
'default_tax_name_2' => 'Standard skattenavn 2', 'default_tax_name_2' => 'Standard skattenavn 2',
@ -3867,7 +3869,7 @@ $lang = array(
'cancellation_pending' => 'Aflysning afventer, vi kontakter dig!', 'cancellation_pending' => 'Aflysning afventer, vi kontakter dig!',
'list_of_payments' => 'Liste over Betalinger', 'list_of_payments' => 'Liste over Betalinger',
'payment_details' => 'Detaljer om Betaling', 'payment_details' => 'Detaljer om Betaling',
'list_of_payment_invoices' => 'Associate invoices', 'list_of_payment_invoices' => 'Associate Fakturaer',
'list_of_payment_methods' => 'Liste over Betaling', 'list_of_payment_methods' => 'Liste over Betaling',
'payment_method_details' => 'Detaljer om Betaling', 'payment_method_details' => 'Detaljer om Betaling',
'permanently_remove_payment_method' => 'Fjern denne Betaling permanent.', 'permanently_remove_payment_method' => 'Fjern denne Betaling permanent.',
@ -4216,7 +4218,7 @@ $lang = array(
'direct_debit' => 'Direkte debitering', 'direct_debit' => 'Direkte debitering',
'clone_to_expense' => 'Klon til Udgift', 'clone_to_expense' => 'Klon til Udgift',
'checkout' => 'Checkout', 'checkout' => 'Checkout',
'acss' => 'ACSS Debit', 'acss' => 'ACSS debet',
'invalid_amount' => 'Ugyldigt Beløb . Kun tal/decimalværdier.', 'invalid_amount' => 'Ugyldigt Beløb . Kun tal/decimalværdier.',
'client_payment_failure_body' => 'Betaling for Faktura :invoice for Beløb :amount mislykkedes.', 'client_payment_failure_body' => 'Betaling for Faktura :invoice for Beløb :amount mislykkedes.',
'browser_pay' => 'Google Pay, Apple Pay, Microsoft Pay', 'browser_pay' => 'Google Pay, Apple Pay, Microsoft Pay',
@ -4846,6 +4848,7 @@ $lang = array(
'email_alignment' => 'e-mail justering', 'email_alignment' => 'e-mail justering',
'pdf_preview_location' => 'PDF eksempelplacering', 'pdf_preview_location' => 'PDF eksempelplacering',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Poststempel', 'postmark' => 'Poststempel',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Klik på + for at Opret en post', 'click_plus_to_create_record' => 'Klik på + for at Opret en post',
@ -4924,7 +4927,7 @@ $lang = array(
'no_assigned_tasks' => 'Ingen fakturerbare opgaver for dette projekt', 'no_assigned_tasks' => 'Ingen fakturerbare opgaver for dette projekt',
'authorization_failure' => 'Utilstrækkelige tilladelser til at udføre denne handling', 'authorization_failure' => 'Utilstrækkelige tilladelser til at udføre denne handling',
'authorization_sms_failure' => 'Bekræft venligst din konto for at sende e-mails.', 'authorization_sms_failure' => 'Bekræft venligst din konto for at sende e-mails.',
'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key <br><br> You can manage your license here: https://invoiceninja.invoicing.co/client/login', 'white_label_body' => 'Tak fordi du har købt en Hvidmærke licens.<br><br> Din licensnøgle er:<br><br> :license_key<br><br> Du kan administrere din licens her: https://invoiceninja. Fakturering .co/ Klient /login',
'payment_type_Klarna' => 'Klarna', 'payment_type_Klarna' => 'Klarna',
'payment_type_Interac E Transfer' => 'Interac E Transfer', 'payment_type_Interac E Transfer' => 'Interac E Transfer',
'xinvoice_payable' => 'Betales inden for :payeddue dage netto indtil :paydate', 'xinvoice_payable' => 'Betales inden for :payeddue dage netto indtil :paydate',
@ -5089,7 +5092,7 @@ $lang = array(
'region' => 'Område', 'region' => 'Område',
'county' => 'Amt', 'county' => 'Amt',
'tax_details' => 'Skatteoplysninger', 'tax_details' => 'Skatteoplysninger',
'activity_10_online' => ':contact made payment :payment for invoice :invoice for :client', 'activity_10_online' => ':contact lavet Betaling :payment for Faktura :invoice for :client',
'activity_10_manual' => ':user indtastet Betaling :payment for Faktura :invoice for :client', 'activity_10_manual' => ':user indtastet Betaling :payment for Faktura :invoice for :client',
'default_payment_type' => 'Standard Betaling', 'default_payment_type' => 'Standard Betaling',
'number_precision' => 'Nummerpræcision', 'number_precision' => 'Nummerpræcision',
@ -5098,6 +5101,8 @@ $lang = array(
'drop_files_here' => 'Slip filer her', 'drop_files_here' => 'Slip filer her',
'upload_files' => 'Upload filer', 'upload_files' => 'Upload filer',
'download_e_invoice' => 'Download E- Faktura', 'download_e_invoice' => 'Download E- Faktura',
'download_e_credit' => 'Download e-kredit',
'download_e_quote' => 'Download e-citat',
'triangular_tax_info' => 'Trekantet transaktion inden for fællesskabet', 'triangular_tax_info' => 'Trekantet transaktion inden for fællesskabet',
'intracommunity_tax_info' => 'Skattefri levering inden for samfundet', 'intracommunity_tax_info' => 'Skattefri levering inden for samfundet',
'reverse_tax_info' => 'Bemærk venligst, at denne levering er underlagt omvendt betalingspligt', 'reverse_tax_info' => 'Bemærk venligst, at denne levering er underlagt omvendt betalingspligt',
@ -5119,7 +5124,7 @@ $lang = array(
'set_private' => 'Indstil privat', 'set_private' => 'Indstil privat',
'individual' => 'Individuel', 'individual' => 'Individuel',
'business' => 'Forretning', 'business' => 'Forretning',
'partnership' => 'Partnership', 'partnership' => 'Partnerskab',
'trust' => 'Tillid', 'trust' => 'Tillid',
'charity' => 'Velgørenhed', 'charity' => 'Velgørenhed',
'government' => 'Regering', 'government' => 'Regering',
@ -5146,113 +5151,123 @@ $lang = array(
'load_template_description' => 'Skabelonen vil blive anvendt på følgende:', 'load_template_description' => 'Skabelonen vil blive anvendt på følgende:',
'run_template' => 'Kør skabelon', 'run_template' => 'Kør skabelon',
'statement_design' => 'Statement Design', 'statement_design' => 'Statement Design',
'delivery_note_design' => 'Delivery Note Design', 'delivery_note_design' => 'Levering Bemærk Design',
'payment_receipt_design' => 'Payment Receipt Design', 'payment_receipt_design' => 'Betaling Kvittering Design',
'payment_refund_design' => 'Payment Refund Design', 'payment_refund_design' => 'Betaling Refusion Design',
'task_extension_banner' => 'Add the Chrome extension to manage your tasks', 'task_extension_banner' => 'Tilføj Chrome-udvidelsen for at administrere dine opgaver',
'watch_video' => 'Watch Video', 'watch_video' => 'Se video',
'view_extension' => 'View Extension', 'view_extension' => 'Vis forlængelse',
'reactivate_email' => 'Reactivate Email', 'reactivate_email' => 'Genaktiver e-mail',
'email_reactivated' => 'Successfully reactivated email', 'email_reactivated' => 'Succesfuldt genaktiveret e-mail',
'template_help' => 'Enable using the design as a template', 'template_help' => 'Aktiver brug af designet som skabelon',
'quarter' => 'Quarter', 'quarter' => 'Kvarter',
'item_description' => 'Item Description', 'item_description' => 'Varebeskrivelse',
'task_item' => 'Task Item', 'task_item' => 'Opgave Genstand',
'record_state' => 'Record State', 'record_state' => 'Rekordtilstand',
'save_files_to_this_folder' => 'Save files to this folder', 'save_files_to_this_folder' => 'Gem filer til denne mappe',
'downloads_folder' => 'Downloads Folder', 'downloads_folder' => 'Downloads mappe',
'total_invoiced_quotes' => 'Invoiced Quotes', 'total_invoiced_quotes' => 'Fakturerede tilbud',
'total_invoice_paid_quotes' => 'Invoice Paid Quotes', 'total_invoice_paid_quotes' => 'Faktura betalte tilbud',
'downloads_folder_does_not_exist' => 'The downloads folder does not exist :value', 'downloads_folder_does_not_exist' => 'Mappen downloads findes ikke :value',
'user_logged_in_notification' => 'User Logged in Notification', 'user_logged_in_notification' => 'Bruger Logget ind Notifikation',
'user_logged_in_notification_help' => 'Send an email when logging in from a new location', 'user_logged_in_notification_help' => 'Send en e-mail , når du logger ind fra et nyt sted',
'payment_email_all_contacts' => 'Payment Email To All Contacts', 'payment_email_all_contacts' => 'Betaling e-mail Til alle kontakter',
'payment_email_all_contacts_help' => 'Sends the payment email to all contacts when enabled', 'payment_email_all_contacts_help' => 'Sender Betaling e-mail til alle kontakter, når den er aktiveret',
'add_line' => 'Add Line', 'add_line' => 'Tilføj linje',
'activity_139' => 'Expense :expense notification sent to :contact', 'activity_139' => 'Udgift :expense meddelelse sendt til :contact',
'vendor_notification_subject' => 'Confirmation of payment :amount sent to :vendor', 'vendor_notification_subject' => 'Bekræftelse af Betaling :amount sendt til :vendor',
'vendor_notification_body' => 'Payment processed for :amount dated :payment_date. <br>[Transaction Reference: :transaction_reference]', 'vendor_notification_body' => 'Betaling behandlet for :amount dateret :payment _dato.<br> [Transaktionsreference: :transaction_reference ]',
'receipt' => 'Receipt', 'receipt' => 'Kvittering',
'charges' => 'Charges', 'charges' => 'Afgifter',
'email_report' => 'Email Report', 'email_report' => 'e-mail rapport',
'payment_type_Pay Later' => 'Pay Later', 'payment_type_Pay Later' => 'Betal senere',
'payment_type_credit' => 'Payment Type Credit', 'payment_type_credit' => 'Betaling Type Kredit',
'payment_type_debit' => 'Payment Type Debit', 'payment_type_debit' => 'Betaling Type Debet',
'send_emails_to' => 'Send Emails To', 'send_emails_to' => 'Send e-mails til',
'primary_contact' => 'Primary Contact', 'primary_contact' => 'Primær kontakt',
'all_contacts' => 'All Contacts', 'all_contacts' => 'Alle kontakter',
'insert_below' => 'Insert Below', 'insert_below' => 'Indsæt nedenfor',
'nordigen_handler_subtitle' => 'Bank account authentication. Selecting your institution to complete the request with your account credentials.', 'nordigen_handler_subtitle' => 'Bankkontogodkendelse. Vælg din institution for at fuldføre anmodningen med dine kontooplysninger.',
'nordigen_handler_error_heading_unknown' => 'An error has occured', 'nordigen_handler_error_heading_unknown' => 'Der er opstået en fejl',
'nordigen_handler_error_contents_unknown' => 'An unknown error has occurred! Reason:', 'nordigen_handler_error_contents_unknown' => 'En ukendt fejl er sket! Grund:',
'nordigen_handler_error_heading_token_invalid' => 'Invalid Token', 'nordigen_handler_error_heading_token_invalid' => 'Ugyldig Token',
'nordigen_handler_error_contents_token_invalid' => 'The provided token was invalid. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_token_invalid' => 'Det angivne token var ugyldigt. kontakt support for at få hjælp, hvis dette problem fortsætter.',
'nordigen_handler_error_heading_account_config_invalid' => 'Missing Credentials', 'nordigen_handler_error_heading_account_config_invalid' => 'Manglende legitimationsoplysninger',
'nordigen_handler_error_contents_account_config_invalid' => 'Invalid or missing credentials for Gocardless Bank Account Data. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_account_config_invalid' => 'Ugyldige eller manglende legitimationsoplysninger for Gocardless bankkontodata. kontakt support for at få hjælp, hvis dette problem fortsætter.',
'nordigen_handler_error_heading_not_available' => 'Not Available', 'nordigen_handler_error_heading_not_available' => 'Ikke tilgængelig',
'nordigen_handler_error_contents_not_available' => 'Feature unavailable, enterprise plan only.', 'nordigen_handler_error_contents_not_available' => 'Funktionen er ikke tilgængelig, kun virksomhedsplan.',
'nordigen_handler_error_heading_institution_invalid' => 'Invalid Institution', 'nordigen_handler_error_heading_institution_invalid' => 'Ugyldig institution',
'nordigen_handler_error_contents_institution_invalid' => 'The provided institution-id is invalid or no longer valid.', 'nordigen_handler_error_contents_institution_invalid' => 'Det angivne institutions-id er ugyldigt eller ikke længere gyldigt.',
'nordigen_handler_error_heading_ref_invalid' => 'Invalid Reference', 'nordigen_handler_error_heading_ref_invalid' => 'Ugyldig reference',
'nordigen_handler_error_contents_ref_invalid' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_ref_invalid' => 'GoCardless leverede ikke en gyldig reference. Kør venligst flow igen og kontakt support, hvis dette problem fortsætter.',
'nordigen_handler_error_heading_not_found' => 'Invalid Requisition', 'nordigen_handler_error_heading_not_found' => 'Ugyldig rekvisition',
'nordigen_handler_error_contents_not_found' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_not_found' => 'GoCardless leverede ikke en gyldig reference. Kør venligst flow igen og kontakt support, hvis dette problem fortsætter.',
'nordigen_handler_error_heading_requisition_invalid_status' => 'Not Ready', 'nordigen_handler_error_heading_requisition_invalid_status' => 'Ikke klar',
'nordigen_handler_error_contents_requisition_invalid_status' => 'You called this site too early. Please finish authorization and refresh this page. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'Du ringede til dette websted for tidligt. Afslut venligst godkendelsen og opdater denne side. kontakt support for at få hjælp, hvis dette problem fortsætter.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'No Accounts selected', 'nordigen_handler_error_heading_requisition_no_accounts' => 'Ingen konti valgt',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'Tjenesten har ikke returneret nogen gyldige konti. Overvej at genstarte flowet.',
'nordigen_handler_restart' => 'Restart flow.', 'nordigen_handler_restart' => 'Genstart flow.',
'nordigen_handler_return' => 'Return to application.', 'nordigen_handler_return' => 'Vend tilbage til ansøgning.',
'lang_Lao' => 'Lao', 'lang_Lao' => 'Lao',
'currency_lao_kip' => 'Lao kip', 'currency_lao_kip' => 'Lao kip',
'yodlee_regions' => 'Regions: USA, UK, Australia & India', 'yodlee_regions' => 'Regioner: USA, Storbritannien, Australien og Indien',
'nordigen_regions' => 'Regions: Europe & UK', 'nordigen_regions' => 'Regioner: Europa og Storbritannien',
'select_provider' => 'Select Provider', 'select_provider' => 'Vælg udbyder',
'nordigen_requisition_subject' => 'Requisition expired, please reauthenticate.', 'nordigen_requisition_subject' => 'Rekvisitionen er udløbet. Genautentificer venligst.',
'nordigen_requisition_body' => 'Access to bank account feeds has expired as set in End User Agreement. <br><br>Please log into Invoice Ninja and re-authenticate with your banks to continue receiving transactions.', 'nordigen_requisition_body' => 'Adgang til bankkontofeeds er udløbet som angivet i End Bruger aftalen.<br><br> Log venligst ind på Faktura Ninja og genautentificer med dine banker for at fortsætte med at modtage transaktioner.',
'participant' => 'Participant', 'participant' => 'Deltager',
'participant_name' => 'Participant name', 'participant_name' => 'Navn på deltager',
'client_unsubscribed' => 'Client unsubscribed from emails.', 'client_unsubscribed' => 'Klient afmeldte e-mails.',
'client_unsubscribed_help' => 'Client :client has unsubscribed from your e-mails. The client needs to consent to receive future emails from you.', 'client_unsubscribed_help' => 'Klient :client har afmeldt dine e-mails. Klient skal give samtykke til at modtage fremtidige e-mails fra dig.',
'resubscribe' => 'Resubscribe', 'resubscribe' => 'Gentilmeld',
'subscribe' => 'Subscribe', 'subscribe' => 'Abonner',
'subscribe_help' => 'You are currently subscribed and will continue to receive email communications.', 'subscribe_help' => 'Du er i øjeblikket tilmeldt og vil fortsat modtage e-mail kommunikation.',
'unsubscribe_help' => 'You are currently not subscribed, and therefore, will not receive emails at this time.', 'unsubscribe_help' => 'Du er i øjeblikket ikke tilmeldt, og vil derfor ikke modtage e-mails på nuværende tidspunkt.',
'notification_purchase_order_bounced' => 'We were unable to deliver Purchase Order :invoice to :contact. <br><br> :error', 'notification_purchase_order_bounced' => 'Vi var ikke i stand til at levere indkøbsordre :invoice til :contact .<br><br> :error',
'notification_purchase_order_bounced_subject' => 'Unable to deliver Purchase Order :invoice', 'notification_purchase_order_bounced_subject' => 'Kan ikke levere indkøbsordre :invoice',
'show_pdfhtml_on_mobile' => 'Display HTML version of entity when viewing on mobile', 'show_pdfhtml_on_mobile' => 'Vis HTML-version af enheden, når du ser på mobilen',
'show_pdfhtml_on_mobile_help' => 'For improved visualization, displays a HTML version of the invoice/quote when viewing on mobile.', 'show_pdfhtml_on_mobile_help' => 'For forbedret visualisering, viser en HTML-version af Faktura /citatet, når du ser på mobilen.',
'please_select_an_invoice_or_credit' => 'Please select an invoice or credit', 'please_select_an_invoice_or_credit' => 'Vælg venligst en Faktura eller kredit',
'mobile_version' => 'Mobile Version', 'mobile_version' => 'Mobil version',
'venmo' => 'Venmo', 'venmo' => 'Venmo',
'my_bank' => 'MyBank', 'my_bank' => 'MyBank',
'pay_later' => 'Pay Later', 'pay_later' => 'Betal senere',
'local_domain' => 'Local Domain', 'local_domain' => 'Lokalt domæne',
'verify_peer' => 'Verify Peer', 'verify_peer' => 'Bekræft Peer',
'nordigen_help' => 'Note: connecting an account requires a GoCardless/Nordigen API key', 'nordigen_help' => 'Bemærk : tilslutning af en konto kræver en GoCardless/Norden API-nøgle',
'ar_detailed' => 'Accounts Receivable Detailed', 'ar_detailed' => 'Debitorer detaljeret',
'ar_summary' => 'Accounts Receivable Summary', 'ar_summary' => 'Debitoroversigt',
'client_sales' => 'Client Sales', 'client_sales' => 'Klient',
'user_sales' => 'User Sales', 'user_sales' => 'Bruger Salg',
'iframe_url' => 'iFrame URL', 'iframe_url' => 'iFrame URL',
'user_unsubscribed' => 'User unsubscribed from emails :link', 'user_unsubscribed' => 'Bruger afmeldte e-mails :link',
'use_available_payments' => 'Use Available Payments', 'use_available_payments' => 'Brug tilgængelig Betalinger',
'test_email_sent' => 'Successfully sent email', 'test_email_sent' => 'Succesfuldt sendt e-mail',
'gateway_type' => 'Gateway Type', 'gateway_type' => 'Gateway type',
'save_template_body' => 'Would you like to save this import mapping as a template for future use?', 'save_template_body' => 'Vil du gerne Gem denne importkortlægning som en skabelon til fremtidig brug?',
'save_as_template' => 'Save Template Mapping', 'save_as_template' => 'Gem skabelon kortlægning',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'Autofaktura standard Fakturaer på forfaldsdatoen',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'Automatisk regning på afsendelsesdato ELLER forfaldsdato ( Gentagen Fakturaer )',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'Anvend eventuelle kreditsaldi til Betaling er inden opkrævning af en Betaling',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'Brug uanvendt Betalinger',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'Anvend eventuelle Betaling inden opkrævning af en Betaling',
'payment_terms_help' => 'Sætter standard <b>faktura forfalds dato</b>', 'payment_terms_help' => 'Sætter standard <b>faktura forfalds dato</b>',
'payment_type_help' => 'Indstiller den <b>manuelle Betaling</b> som standard.', 'payment_type_help' => 'Indstiller den <b>manuelle Betaling</b> som standard.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'Det antal dage, som tilbuddet er gyldigt i',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'Standard Udgift Betaling , der skal bruges',
'paylater' => 'Pay in 4', 'paylater' => 'Indbetal 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Betaling',
'select_email_provider' => 'Indstil din e-mail som den afsendende Bruger',
'purchase_order_items' => 'Indkøbsordrevarer',
'csv_rows_length' => 'Ingen data fundet i denne CSV-fil',
'accept_payments_online' => 'Accepter Betalinger Online',
'all_payment_gateways' => 'Vis alle Betaling gateways',
'product_cost' => 'Produktomkostninger',
'enable_rappen_roudning' => 'Aktiver Rappen-afrunding',
'enable_rappen_rounding_help' => 'Afrunder i alt til nærmeste 5',
'duration_words' => 'Varighed i ord',
'upcoming_recurring_invoices' => 'Kommende Gentagen Fakturaer',
'total_invoices' => 'Total Fakturaer',
); );
return $lang; return $lang;

View File

@ -175,7 +175,7 @@ $lang = array(
'payment_gateway' => 'Zahlungs-Gateway', 'payment_gateway' => 'Zahlungs-Gateway',
'gateway_id' => 'Zahlungsanbieter', 'gateway_id' => 'Zahlungsanbieter',
'email_notifications' => 'E-Mail Benachrichtigungen', 'email_notifications' => 'E-Mail Benachrichtigungen',
'email_viewed' => 'Benachrichtigen, wenn eine Rechnung <strong>betrachtet</strong> wurde', 'email_viewed' => 'Benachrichtigen, wenn eine Rechnung <strong>angesehen</strong> wurde',
'email_paid' => 'Benachrichtigen, wenn eine Rechnung <strong>bezahlt</strong> wurde', 'email_paid' => 'Benachrichtigen, wenn eine Rechnung <strong>bezahlt</strong> wurde',
'site_updates' => 'Website-Aktualisierungen', 'site_updates' => 'Website-Aktualisierungen',
'custom_messages' => 'Benutzerdefinierte Nachrichten', 'custom_messages' => 'Benutzerdefinierte Nachrichten',
@ -241,16 +241,16 @@ $lang = array(
'confirmation_header' => 'Kontobestätigung', 'confirmation_header' => 'Kontobestätigung',
'confirmation_message' => 'Bitte klicken Sie auf den folgenden Link, um Ihr Konto zu bestätigen.', 'confirmation_message' => 'Bitte klicken Sie auf den folgenden Link, um Ihr Konto zu bestätigen.',
'invoice_subject' => 'Neue Rechnung :number von :account', 'invoice_subject' => 'Neue Rechnung :number von :account',
'invoice_message' => 'Um Ihre Rechnung über :amount einzusehen, klicken Sie bitte auf den folgenden Link:', 'invoice_message' => 'Um Ihre Rechnung über :amount anzusehen, klicken Sie bitte auf den folgenden Link:',
'payment_subject' => 'Zahlungseingang', 'payment_subject' => 'Zahlungseingang',
'payment_message' => 'Vielen Dank für Ihre Zahlung von :amount.', 'payment_message' => 'Vielen Dank für Ihre Zahlung von :amount.',
'email_salutation' => 'Sehr geehrte/r :name,', 'email_salutation' => 'Sehr geehrte/r :name,',
'email_signature' => 'Mit freundlichen Grüßen', 'email_signature' => 'Mit freundlichen Grüßen',
'email_from' => 'Das InvoiceNinja Team', 'email_from' => 'Das InvoiceNinja Team',
'invoice_link_message' => 'Um die Rechnung anzuschauen, bitte auf den folgenden Link klicken:', 'invoice_link_message' => 'Um die Rechnung anzusehen, bitte auf den folgenden Link klicken:',
'notification_invoice_paid_subject' => 'Die Rechnung :invoice wurde von :client bezahlt.', 'notification_invoice_paid_subject' => 'Die Rechnung :invoice wurde von :client bezahlt.',
'notification_invoice_sent_subject' => 'Rechnung :invoice wurde an :client versendet.', 'notification_invoice_sent_subject' => 'Rechnung :invoice wurde an :client versendet.',
'notification_invoice_viewed_subject' => 'Die Rechnung :invoice wurde von :client angeschaut.', 'notification_invoice_viewed_subject' => 'Die Rechnung :invoice wurde von :client angesehen.',
'notification_invoice_paid' => 'Eine Zahlung von :amount wurde von :client bezüglich Rechnung :invoice getätigt.', 'notification_invoice_paid' => 'Eine Zahlung von :amount wurde von :client bezüglich Rechnung :invoice getätigt.',
'notification_invoice_sent' => 'Rechnung :invoice über :amount wurde an den Kunden :client versendet.', 'notification_invoice_sent' => 'Rechnung :invoice über :amount wurde an den Kunden :client versendet.',
'notification_invoice_viewed' => 'Der Kunde :client hat sich die Rechnung :invoice über :amount angesehen.', 'notification_invoice_viewed' => 'Der Kunde :client hat sich die Rechnung :invoice über :amount angesehen.',
@ -281,7 +281,7 @@ $lang = array(
'field_value' => 'Feldwert', 'field_value' => 'Feldwert',
'edit' => 'Bearbeiten', 'edit' => 'Bearbeiten',
'set_name' => 'Den Firmennamen setzen', 'set_name' => 'Den Firmennamen setzen',
'view_as_recipient' => 'Als Empfänger betrachten', 'view_as_recipient' => 'Als Empfänger ansehen',
'product_library' => 'Produktbibliothek', 'product_library' => 'Produktbibliothek',
'product' => 'Produkt', 'product' => 'Produkt',
'products' => 'Produkte', 'products' => 'Produkte',
@ -322,9 +322,9 @@ $lang = array(
'email_quote' => 'Angebot per E-Mail senden', 'email_quote' => 'Angebot per E-Mail senden',
'clone_quote' => 'Als Angebot kopieren', 'clone_quote' => 'Als Angebot kopieren',
'convert_to_invoice' => 'In Rechnung umwandeln', 'convert_to_invoice' => 'In Rechnung umwandeln',
'view_invoice' => 'Rechnung anschauen', 'view_invoice' => 'Rechnung ansehen',
'view_client' => 'Kunde anschauen', 'view_client' => 'Kunde ansehen',
'view_quote' => 'Angebot anschauen', 'view_quote' => 'Angebot ansehen',
'updated_quote' => 'Angebot erfolgreich aktualisiert', 'updated_quote' => 'Angebot erfolgreich aktualisiert',
'created_quote' => 'Angebot erfolgreich erstellt', 'created_quote' => 'Angebot erfolgreich erstellt',
'cloned_quote' => 'Angebot erfolgreich dupliziert', 'cloned_quote' => 'Angebot erfolgreich dupliziert',
@ -335,10 +335,10 @@ $lang = array(
'deleted_quotes' => ':count Angebote erfolgreich gelöscht', 'deleted_quotes' => ':count Angebote erfolgreich gelöscht',
'converted_to_invoice' => 'Angebot erfolgreich in Rechnung umgewandelt', 'converted_to_invoice' => 'Angebot erfolgreich in Rechnung umgewandelt',
'quote_subject' => 'Neues Angebot :number von :account', 'quote_subject' => 'Neues Angebot :number von :account',
'quote_message' => 'Klicken Sie auf den folgenden Link um das Angebot über :amount anzuschauen.', 'quote_message' => 'Klicken Sie auf den folgenden Link um das Angebot für Sie über :amount anzusehen.',
'quote_link_message' => 'Um das Angebot anzuschauen, bitte auf den folgenden Link klicken:', 'quote_link_message' => 'Um das Angebot anzusehen, bitte auf den folgenden Link klicken:',
'notification_quote_sent_subject' => 'Angebot :invoice wurde an :client versendet', 'notification_quote_sent_subject' => 'Angebot :invoice wurde an :client versendet',
'notification_quote_viewed_subject' => 'Angebot :invoice wurde von :client angeschaut', 'notification_quote_viewed_subject' => 'Angebot :invoice wurde von :client angesehen',
'notification_quote_sent' => 'Der folgende Kunde :client erhielt das Angebot :invoice über :amount.', 'notification_quote_sent' => 'Der folgende Kunde :client erhielt das Angebot :invoice über :amount.',
'notification_quote_viewed' => 'Der folgende Kunde :client hat sich das Angebot :client über :amount angesehen.', 'notification_quote_viewed' => 'Der folgende Kunde :client hat sich das Angebot :client über :amount angesehen.',
'session_expired' => 'Ihre Sitzung ist abgelaufen.', 'session_expired' => 'Ihre Sitzung ist abgelaufen.',
@ -461,9 +461,9 @@ $lang = array(
'edit_token' => 'Token bearbeiten', 'edit_token' => 'Token bearbeiten',
'delete_token' => 'Token löschen', 'delete_token' => 'Token löschen',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Zahlungsanbieter hinzufügen',
'delete_gateway' => 'Zahlungsanbieter löschen', 'delete_gateway' => 'Zahlungsgateway löschen',
'edit_gateway' => 'Zahlungsanbieter bearbeiten', 'edit_gateway' => 'Zahlungsgateway bearbeiten',
'updated_gateway' => 'Zahlungsanbieter aktualisiert', 'updated_gateway' => 'Zahlungsanbieter aktualisiert',
'created_gateway' => 'Zahlungsanbieter erfolgreich hinzugefügt', 'created_gateway' => 'Zahlungsanbieter erfolgreich hinzugefügt',
'deleted_gateway' => 'Zahlungsanbieter erfolgreich gelöscht', 'deleted_gateway' => 'Zahlungsanbieter erfolgreich gelöscht',
@ -737,7 +737,7 @@ $lang = array(
'activity_4' => ':user erstellte Rechnung :invoice', 'activity_4' => ':user erstellte Rechnung :invoice',
'activity_5' => ':user aktualisierte Rechnung :invoice', 'activity_5' => ':user aktualisierte Rechnung :invoice',
'activity_6' => ':user mailte Rechnung :invoice für :client an :contact', 'activity_6' => ':user mailte Rechnung :invoice für :client an :contact',
'activity_7' => ':contact schaute Rechnung :invoice für :client an', 'activity_7' => ':contact hat Rechnung :invoice für :client angesehen',
'activity_8' => ':user archivierte Rechnung :invoice', 'activity_8' => ':user archivierte Rechnung :invoice',
'activity_9' => ':user löschte Rechnung :invoice', 'activity_9' => ':user löschte Rechnung :invoice',
'activity_10' => ':user hat die Zahlung :payment für :payment _amount der Rechnung :invoice für Kunde :client eingegeben', 'activity_10' => ':user hat die Zahlung :payment für :payment _amount der Rechnung :invoice für Kunde :client eingegeben',
@ -751,7 +751,7 @@ $lang = array(
'activity_18' => ':user erstellte Angebot :quote', 'activity_18' => ':user erstellte Angebot :quote',
'activity_19' => ':user aktualisierte Angebot :quote', 'activity_19' => ':user aktualisierte Angebot :quote',
'activity_20' => ':user mailte Angebot :quote für :client an :contact', 'activity_20' => ':user mailte Angebot :quote für :client an :contact',
'activity_21' => ':contact schaute Angebot :quote an', 'activity_21' => ':contact hat Angebot :quote angesehen',
'activity_22' => ':user archiviertes Angebot :quote', 'activity_22' => ':user archiviertes Angebot :quote',
'activity_23' => ':user löschte Angebot :quote', 'activity_23' => ':user löschte Angebot :quote',
'activity_24' => ':user stellte Angebot :quote wieder her', 'activity_24' => ':user stellte Angebot :quote wieder her',
@ -957,8 +957,8 @@ $lang = array(
'color_font_help' => 'Info: Die primäre Farbe und Schriftarten werden auch im Kundenportal und im individuellen E-Mail-Design verwendet.', 'color_font_help' => 'Info: Die primäre Farbe und Schriftarten werden auch im Kundenportal und im individuellen E-Mail-Design verwendet.',
'live_preview' => 'Live-Vorschau', 'live_preview' => 'Live-Vorschau',
'invalid_mail_config' => 'E-Mails können nicht gesendet werden. Bitte überprüfen Sie, ob die E-Mail-Einstellungen korrekt sind.', 'invalid_mail_config' => 'E-Mails können nicht gesendet werden. Bitte überprüfen Sie, ob die E-Mail-Einstellungen korrekt sind.',
'invoice_message_button' => 'Um Ihre Rechnung über :amount zu sehen, klicken Sie die Schaltfläche unten.', 'invoice_message_button' => 'Um Ihre Rechnung über :amount anzusehen, klicken Sie die Schaltfläche unten.',
'quote_message_button' => 'Um Ihr Angebot über :amount zu sehen, klicken Sie die Schaltfläche unten.', 'quote_message_button' => 'Um Ihr Angebot über :amount anzusehen, klicken Sie die Schaltfläche unten.',
'payment_message_button' => 'Vielen Dank für Ihre Zahlung von :amount.', 'payment_message_button' => 'Vielen Dank für Ihre Zahlung von :amount.',
'payment_type_direct_debit' => 'Überweisung', 'payment_type_direct_debit' => 'Überweisung',
'bank_accounts' => 'Kreditkarten & Banken', 'bank_accounts' => 'Kreditkarten & Banken',
@ -2198,6 +2198,8 @@ Sobald Sie die Beträge erhalten haben, kommen Sie bitte wieder zurück zu diese
'encryption' => 'Verschlüsselung', 'encryption' => 'Verschlüsselung',
'mailgun_domain' => 'Mailgun Domäne', 'mailgun_domain' => 'Mailgun Domäne',
'mailgun_private_key' => 'Mailgun privater Schlüssel', 'mailgun_private_key' => 'Mailgun privater Schlüssel',
'brevo_domain' => 'Brevo-Domäne',
'brevo_private_key' => 'Privater Brevo-Schlüssel',
'send_test_email' => 'Test-E-Mail verschicken', 'send_test_email' => 'Test-E-Mail verschicken',
'select_label' => 'Bezeichnung wählen', 'select_label' => 'Bezeichnung wählen',
'label' => 'Label', 'label' => 'Label',
@ -4849,6 +4851,7 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting',
'email_alignment' => 'E-Mail Ausrichtung', 'email_alignment' => 'E-Mail Ausrichtung',
'pdf_preview_location' => 'PDF Vorschau Ort', 'pdf_preview_location' => 'PDF Vorschau Ort',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Klicke + um einen Eintrag hinzuzufügen', 'click_plus_to_create_record' => 'Klicke + um einen Eintrag hinzuzufügen',
@ -5101,6 +5104,8 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting',
'drop_files_here' => 'Datei hier hineinziehen', 'drop_files_here' => 'Datei hier hineinziehen',
'upload_files' => 'Dateien hochladen', 'upload_files' => 'Dateien hochladen',
'download_e_invoice' => 'E-Rechnung herunterladen', 'download_e_invoice' => 'E-Rechnung herunterladen',
'download_e_credit' => 'E-Credit herunterladen',
'download_e_quote' => 'E- Angebot / Kostenvoranschlag herunterladen',
'triangular_tax_info' => 'innergemeinschaftliches Dreiecksgeschäft', 'triangular_tax_info' => 'innergemeinschaftliches Dreiecksgeschäft',
'intracommunity_tax_info' => 'Steuerfreie innergemeinschaftliche Lieferung', 'intracommunity_tax_info' => 'Steuerfreie innergemeinschaftliche Lieferung',
'reverse_tax_info' => 'Steuerschuldnerschaft des 'reverse_tax_info' => 'Steuerschuldnerschaft des
@ -5205,7 +5210,7 @@ Leistungsempfängers',
'nordigen_handler_error_heading_requisition_invalid_status' => 'Nicht bereit', 'nordigen_handler_error_heading_requisition_invalid_status' => 'Nicht bereit',
'nordigen_handler_error_contents_requisition_invalid_status' => 'Sie haben diese Seite zu früh aufgerufen. Bitte schließen Sie die Autorisierung ab und aktualisieren Sie diese Seite. Wenn das Problem weiterhin besteht, wenden Sie sich an den Support.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'Sie haben diese Seite zu früh aufgerufen. Bitte schließen Sie die Autorisierung ab und aktualisieren Sie diese Seite. Wenn das Problem weiterhin besteht, wenden Sie sich an den Support.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'Keine Konten ausgewählt', 'nordigen_handler_error_heading_requisition_no_accounts' => 'Keine Konten ausgewählt',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'Der Dienst hat keine gültigen Konten zurückgegeben. Erwägen Sie, den Flow neu zu starten.',
'nordigen_handler_restart' => 'Fluss neu starten.', 'nordigen_handler_restart' => 'Fluss neu starten.',
'nordigen_handler_return' => 'Zurück zur Bewerbung.', 'nordigen_handler_return' => 'Zurück zur Bewerbung.',
'lang_Lao' => 'Laotisch', 'lang_Lao' => 'Laotisch',
@ -5246,18 +5251,28 @@ Leistungsempfängers',
'gateway_type' => 'Gateway-Typ', 'gateway_type' => 'Gateway-Typ',
'save_template_body' => 'Möchten Sie diese Importzuordnung als Vorlage für die zukünftige Verwendung speichern?', 'save_template_body' => 'Möchten Sie diese Importzuordnung als Vorlage für die zukünftige Verwendung speichern?',
'save_as_template' => 'Vorlagenzuordnung speichern', 'save_as_template' => 'Vorlagenzuordnung speichern',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'Standardrechnungen automatisch am Fälligkeitsdatum abrechnen',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'Automatische Rechnung am Sendedatum ODER Fälligkeitsdatum (wiederkehrende Rechnungen)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'Wenden Sie etwaige Guthaben auf Zahlungen an, bevor Sie eine Zahlungsmethode belasten',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'Verwenden Sie nicht angewendete Zahlungen',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'Rechnen Sie etwaige Zahlungssalden ab, bevor Sie eine Zahlungsmethode belasten',
'payment_terms_help' => 'Setzt das <b>Standardfälligkeitsdatum</b>', 'payment_terms_help' => 'Setzt das <b>Standardfälligkeitsdatum</b>',
'payment_type_help' => 'Setze die Standard <b>manuelle Zahlungsmethode</b>.', 'payment_type_help' => 'Setze die Standard <b>manuelle Zahlungsmethode</b>.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'Die Anzahl der Tage, für die das Angebot / Kostenvoranschlag gültig ist',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'Der standardmäßig zu verwendende Ausgabe Zahlungstyp',
'paylater' => 'Pay in 4', 'paylater' => 'Zahlen in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Zahlungsanbieter',
'select_email_provider' => 'Legen Sie Ihre E-Mail-Adresse als sendenden Benutzer fest',
'purchase_order_items' => 'Bestellpositionen',
'csv_rows_length' => 'In dieser CSV-Datei wurden keine Daten gefunden',
'accept_payments_online' => 'Akzeptieren Sie Zahlungen online',
'all_payment_gateways' => 'Alle Zahlungsgateways anzeigen',
'product_cost' => 'Produktkosten',
'enable_rappen_roudning' => 'Aktivieren Sie die Rappen-Rundung',
'enable_rappen_rounding_help' => 'Rundet die Gesamtsumme auf die nächste 5',
'duration_words' => 'Dauer in Worten',
'upcoming_recurring_invoices' => 'Kommende wiederkehrende Rechnungen',
'total_invoices' => 'Gesamtrechnungen',
); );
return $lang; return $lang;

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'Διαγραφή Διακριτικού', 'delete_token' => 'Διαγραφή Διακριτικού',
'token' => 'Διακριτικό', 'token' => 'Διακριτικό',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Διαγραφή Πύλης Πληρωμών (Gateway)', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Επεξεργασία Πύλης Πληρωμών (Gateway)', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Επιτυχής ενημέρωση πύλης πληρωμών (Gateway)', 'updated_gateway' => 'Επιτυχής ενημέρωση πύλης πληρωμών (Gateway)',
'created_gateway' => 'Επιτυχής δημιουργία πύλης πληρωμών (Gateway)', 'created_gateway' => 'Επιτυχής δημιουργία πύλης πληρωμών (Gateway)',
'deleted_gateway' => 'Επιτυχής διαγραφή πύλης πληρωμών (Gateway)', 'deleted_gateway' => 'Επιτυχής διαγραφή πύλης πληρωμών (Gateway)',
@ -2197,6 +2197,8 @@ $lang = array(
'encryption' => 'Κρυπτογράφηση', 'encryption' => 'Κρυπτογράφηση',
'mailgun_domain' => 'Όνομα χώρου Mailgun', 'mailgun_domain' => 'Όνομα χώρου Mailgun',
'mailgun_private_key' => 'Ιδιωτικό Κλειδί Mailgun', 'mailgun_private_key' => 'Ιδιωτικό Κλειδί Mailgun',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Αποστολή δοκιμαστικού email', 'send_test_email' => 'Αποστολή δοκιμαστικού email',
'select_label' => 'Επιλογή Ετικέτας', 'select_label' => 'Επιλογή Ετικέτας',
'label' => 'Ετικέτα', 'label' => 'Ετικέτα',
@ -4847,6 +4849,7 @@ $lang = array(
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5099,6 +5102,8 @@ $lang = array(
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5253,7 +5258,17 @@ $lang = array(
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -5268,6 +5268,8 @@ $lang = array(
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5', 'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words', 'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices', 'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'show_table_footer' => 'Show table footer',
'show_table_footer_help' => 'Displays the totals in the footer of the table',
'total_invoices' => 'Total Invoices', 'total_invoices' => 'Total Invoices',
); );

View File

@ -460,9 +460,9 @@ $lang = array(
'edit_token' => 'Editar Token', 'edit_token' => 'Editar Token',
'delete_token' => 'Eliminar Token', 'delete_token' => 'Eliminar Token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Agregar Pasarela de Pago',
'delete_gateway' => 'Eliminar Gateway', 'delete_gateway' => 'Eliminar Pasarela de Pago',
'edit_gateway' => 'Editar Gateway', 'edit_gateway' => 'Editar pasarela de pago',
'updated_gateway' => 'Gateway actualizado con éxito', 'updated_gateway' => 'Gateway actualizado con éxito',
'created_gateway' => 'Gateway creado con éxito', 'created_gateway' => 'Gateway creado con éxito',
'deleted_gateway' => 'Gateway eliminado con éxito', 'deleted_gateway' => 'Gateway eliminado con éxito',
@ -2196,6 +2196,8 @@ $lang = array(
'encryption' => 'Encripción', 'encryption' => 'Encripción',
'mailgun_domain' => 'Dominio de Mailgun', 'mailgun_domain' => 'Dominio de Mailgun',
'mailgun_private_key' => 'Llave Privada de Mailgun', 'mailgun_private_key' => 'Llave Privada de Mailgun',
'brevo_domain' => 'Dominio Brevo',
'brevo_private_key' => 'Clave privada de Brevo',
'send_test_email' => 'Enviar correo de prueba', 'send_test_email' => 'Enviar correo de prueba',
'select_label' => 'Seleccionar Etiqueta', 'select_label' => 'Seleccionar Etiqueta',
'label' => 'Etiqueta', 'label' => 'Etiqueta',
@ -4846,6 +4848,7 @@ $lang = array(
'email_alignment' => 'Alineación de correo electrónico', 'email_alignment' => 'Alineación de correo electrónico',
'pdf_preview_location' => 'Ubicación de vista previa de PDF', 'pdf_preview_location' => 'Ubicación de vista previa de PDF',
'mailgun' => 'Pistola de correo', 'mailgun' => 'Pistola de correo',
'brevo' => 'Brevo',
'postmark' => 'Matasellos', 'postmark' => 'Matasellos',
'microsoft' => 'microsoft', 'microsoft' => 'microsoft',
'click_plus_to_create_record' => 'Haga clic en + para crear un registro', 'click_plus_to_create_record' => 'Haga clic en + para crear un registro',
@ -5098,6 +5101,8 @@ $lang = array(
'drop_files_here' => 'Suelte archivos aquí', 'drop_files_here' => 'Suelte archivos aquí',
'upload_files' => 'Subir archivos', 'upload_files' => 'Subir archivos',
'download_e_invoice' => 'Descargar factura electrónica', 'download_e_invoice' => 'Descargar factura electrónica',
'download_e_credit' => 'Descargar Crédito Electrónico',
'download_e_quote' => 'Descargar Cotización Electrónica',
'triangular_tax_info' => 'Transacción triangular intracomunitaria', 'triangular_tax_info' => 'Transacción triangular intracomunitaria',
'intracommunity_tax_info' => 'Entrega intracomunitaria libre de impuestos', 'intracommunity_tax_info' => 'Entrega intracomunitaria libre de impuestos',
'reverse_tax_info' => 'Tenga en cuenta que este suministro está sujeto a inversión de cargo.', 'reverse_tax_info' => 'Tenga en cuenta que este suministro está sujeto a inversión de cargo.',
@ -5200,7 +5205,7 @@ $lang = array(
'nordigen_handler_error_heading_requisition_invalid_status' => 'No está listo', 'nordigen_handler_error_heading_requisition_invalid_status' => 'No está listo',
'nordigen_handler_error_contents_requisition_invalid_status' => 'Llamaste a este sitio demasiado pronto. Finalice la autorización y actualice esta página. Póngase en contacto con el soporte para obtener ayuda si este problema persiste.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'Llamaste a este sitio demasiado pronto. Finalice la autorización y actualice esta página. Póngase en contacto con el soporte para obtener ayuda si este problema persiste.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'No hay cuentas seleccionadas', 'nordigen_handler_error_heading_requisition_no_accounts' => 'No hay cuentas seleccionadas',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'El servicio no ha devuelto ninguna cuenta válida. Considere reiniciar el flujo.',
'nordigen_handler_restart' => 'Reiniciar el flujo.', 'nordigen_handler_restart' => 'Reiniciar el flujo.',
'nordigen_handler_return' => 'Volver a la aplicación.', 'nordigen_handler_return' => 'Volver a la aplicación.',
'lang_Lao' => 'laosiano', 'lang_Lao' => 'laosiano',
@ -5241,18 +5246,28 @@ $lang = array(
'gateway_type' => 'Tipo de puerta de enlace', 'gateway_type' => 'Tipo de puerta de enlace',
'save_template_body' => '¿Le gustaría guardar este mapeo de importación como plantilla para uso futuro?', 'save_template_body' => '¿Le gustaría guardar este mapeo de importación como plantilla para uso futuro?',
'save_as_template' => 'Guardar asignación de plantilla', 'save_as_template' => 'Guardar asignación de plantilla',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'Facturas estándar de facturación automática en la fecha de vencimiento',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'Factura automática en la fecha de envío O fecha de vencimiento (facturas recurrentes)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'Aplicar cualquier saldo acreedor a los pagos antes de cargar un método de pago',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'Usar pagos no aplicados',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'Aplicar cualquier saldo de pago antes de cargar un método de pago',
'payment_terms_help' => 'Establecer <b>fecha de vencimiento de la factura</b> por defecto', 'payment_terms_help' => 'Establecer <b>fecha de vencimiento de la factura</b> por defecto',
'payment_type_help' => 'Establecer el <b>tipo de pago manual</b> por defecto.', 'payment_type_help' => 'Establecer el <b>tipo de pago manual</b> por defecto.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'El número de días durante los cuales la cotización es válida.',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'El tipo de pago de gastos predeterminado que se utilizará',
'paylater' => 'Pay in 4', 'paylater' => 'Paga en 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Proveedor de pagos',
'select_email_provider' => 'Establece tu correo electrónico como usuario remitente',
'purchase_order_items' => 'Artículos de orden de compra',
'csv_rows_length' => 'No se encontraron datos en este archivo CSV',
'accept_payments_online' => 'Aceptar pagos en línea',
'all_payment_gateways' => 'Ver todas las pasarelas de pago',
'product_cost' => 'Costo del producto',
'enable_rappen_roudning' => 'Habilitar redondeo Rappen',
'enable_rappen_rounding_help' => 'Redondea los totales a los 5 más cercanos',
'duration_words' => 'Duración en palabras',
'upcoming_recurring_invoices' => 'Próximas facturas recurrentes',
'total_invoices' => 'Facturas totales',
); );
return $lang; return $lang;

View File

@ -460,9 +460,9 @@ $lang = array(
'edit_token' => 'Editar Token', 'edit_token' => 'Editar Token',
'delete_token' => 'Eliminar Token', 'delete_token' => 'Eliminar Token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Agregar Pasarela de Pago',
'delete_gateway' => 'Eliminar Pasarela', 'delete_gateway' => 'Eliminar Pasarela de Pago',
'edit_gateway' => 'Editar Pasarela', 'edit_gateway' => 'Editar pasarela de pago',
'updated_gateway' => 'Pasarela actualizada correctamente', 'updated_gateway' => 'Pasarela actualizada correctamente',
'created_gateway' => 'Pasarela creada correctamente', 'created_gateway' => 'Pasarela creada correctamente',
'deleted_gateway' => 'Pasarela eliminada correctamente', 'deleted_gateway' => 'Pasarela eliminada correctamente',
@ -2193,6 +2193,8 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'encryption' => 'Encriptación', 'encryption' => 'Encriptación',
'mailgun_domain' => 'Dominio Mailgun', 'mailgun_domain' => 'Dominio Mailgun',
'mailgun_private_key' => 'Mailgun Private Key', 'mailgun_private_key' => 'Mailgun Private Key',
'brevo_domain' => 'Dominio Brevo',
'brevo_private_key' => 'Clave privada de Brevo',
'send_test_email' => 'Enviar email de prueba', 'send_test_email' => 'Enviar email de prueba',
'select_label' => 'Seleccionar etiqueta', 'select_label' => 'Seleccionar etiqueta',
'label' => 'Etiqueta', 'label' => 'Etiqueta',
@ -4843,6 +4845,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'email_alignment' => 'Alineación de correo electrónico', 'email_alignment' => 'Alineación de correo electrónico',
'pdf_preview_location' => 'Ubicación de vista previa de PDF', 'pdf_preview_location' => 'Ubicación de vista previa de PDF',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Haga clic en + para crear un registro', 'click_plus_to_create_record' => 'Haga clic en + para crear un registro',
@ -5096,6 +5099,8 @@ De lo contrario, este campo deberá dejarse en blanco.',
'drop_files_here' => 'Suelte archivos aquí', 'drop_files_here' => 'Suelte archivos aquí',
'upload_files' => 'Subir archivos', 'upload_files' => 'Subir archivos',
'download_e_invoice' => 'Descarga Factura Electrónica', 'download_e_invoice' => 'Descarga Factura Electrónica',
'download_e_credit' => 'Descargar Crédito Electrónico',
'download_e_quote' => 'Descargar Cotización Electrónica',
'triangular_tax_info' => 'Transacción triangular intracomunitaria', 'triangular_tax_info' => 'Transacción triangular intracomunitaria',
'intracommunity_tax_info' => 'Entrega intracomunitaria libre de impuestos', 'intracommunity_tax_info' => 'Entrega intracomunitaria libre de impuestos',
'reverse_tax_info' => 'Tenga en cuenta que este suministro está sujeto a inversión de cargo.', 'reverse_tax_info' => 'Tenga en cuenta que este suministro está sujeto a inversión de cargo.',
@ -5198,7 +5203,7 @@ De lo contrario, este campo deberá dejarse en blanco.',
'nordigen_handler_error_heading_requisition_invalid_status' => 'No listo', 'nordigen_handler_error_heading_requisition_invalid_status' => 'No listo',
'nordigen_handler_error_contents_requisition_invalid_status' => 'Llamaste a este sitio demasiado pronto. Finalice la autorización y actualice esta página. Póngase en contacto con el soporte para obtener ayuda si este problema persiste.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'Llamaste a este sitio demasiado pronto. Finalice la autorización y actualice esta página. Póngase en contacto con el soporte para obtener ayuda si este problema persiste.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'No hay cuentas seleccionadas', 'nordigen_handler_error_heading_requisition_no_accounts' => 'No hay cuentas seleccionadas',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'El servicio no ha devuelto ninguna cuenta válida. Considere reiniciar el flujo.',
'nordigen_handler_restart' => 'Reiniciar el flujo.', 'nordigen_handler_restart' => 'Reiniciar el flujo.',
'nordigen_handler_return' => 'Volver a la aplicación.', 'nordigen_handler_return' => 'Volver a la aplicación.',
'lang_Lao' => 'Lao', 'lang_Lao' => 'Lao',
@ -5239,18 +5244,28 @@ De lo contrario, este campo deberá dejarse en blanco.',
'gateway_type' => 'Tipo de puerta de enlace', 'gateway_type' => 'Tipo de puerta de enlace',
'save_template_body' => '¿Le gustaría guardar este mapeo de importación como plantilla para uso futuro?', 'save_template_body' => '¿Le gustaría guardar este mapeo de importación como plantilla para uso futuro?',
'save_as_template' => 'Guardar asignación de plantilla', 'save_as_template' => 'Guardar asignación de plantilla',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'Facturas estándar de facturación automática en la fecha de vencimiento',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'Factura automática en la fecha de envío O fecha de vencimiento (facturas recurrentes)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'Aplicar cualquier saldo acreedor a los pagos antes de cargar un método de pago',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'Usar pagos no aplicados',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'Aplicar cualquier saldo de pago antes de cargar un método de pago',
'payment_terms_help' => 'Establezca la <b>fecha límite de pago de factura</b> por defecto', 'payment_terms_help' => 'Establezca la <b>fecha límite de pago de factura</b> por defecto',
'payment_type_help' => 'Establece el <b>tipo de pago manual</b> predeterminado.', 'payment_type_help' => 'Establece el <b>tipo de pago manual</b> predeterminado.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'El número de días durante los cuales la cotización es válida.',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'El tipo de pago de gastos predeterminado que se utilizará',
'paylater' => 'Pay in 4', 'paylater' => 'Paga en 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Proveedor de pagos',
'select_email_provider' => 'Establece tu correo electrónico como usuario remitente',
'purchase_order_items' => 'Artículos de orden de compra',
'csv_rows_length' => 'No se encontraron datos en este archivo CSV',
'accept_payments_online' => 'Aceptar pagos en línea',
'all_payment_gateways' => 'Ver todas las pasarelas de pago',
'product_cost' => 'Costo del producto',
'enable_rappen_roudning' => 'Habilitar redondeo Rappen',
'enable_rappen_rounding_help' => 'Redondea los totales a los 5 más cercanos',
'duration_words' => 'Duración en palabras',
'upcoming_recurring_invoices' => 'Próximas facturas recurrentes',
'total_invoices' => 'Facturas totales',
); );
return $lang; return $lang;

View File

@ -462,8 +462,8 @@ $lang = array(
'delete_token' => 'Kustuta Token', 'delete_token' => 'Kustuta Token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Kustuta Lüüs', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Muuda Lüüsi', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Makselahendus uuendatud', 'updated_gateway' => 'Makselahendus uuendatud',
'created_gateway' => 'Makselahendus edukalt loodud', 'created_gateway' => 'Makselahendus edukalt loodud',
'deleted_gateway' => 'Makeslahendus edukalt kustutatud', 'deleted_gateway' => 'Makeslahendus edukalt kustutatud',
@ -508,7 +508,7 @@ $lang = array(
'duplicate_post' => 'Hoiatus: eelmine leht esitati kaks korda. Teist ettepanekut eirati.', 'duplicate_post' => 'Hoiatus: eelmine leht esitati kaks korda. Teist ettepanekut eirati.',
'view_documentation' => 'Vaata dokumentatsiooni', 'view_documentation' => 'Vaata dokumentatsiooni',
'app_title' => 'Free Online Invoicing', 'app_title' => 'Free Online Invoicing',
'app_description' => 'Invoice Ninja is a free, open-code solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.', 'app_description' => 'Invoice Ninja on tasuta avatud koodiga lahendus klientidele arveldamiseks ja arveldamiseks. Arve Ninja abil saate hõlpsasti ilusat Arve d ehitada ja saata mis tahes seadmest, millel on juurdepääs veebile. Teie Kliendid saavad teie arveid printida, need PDF failidena alla laadida ja teile isegi otse süsteemi seest maksta.',
'rows' => 'rida', 'rows' => 'rida',
'www' => 'www', 'www' => 'www',
'logo' => 'Logo', 'logo' => 'Logo',
@ -2197,6 +2197,8 @@ $lang = array(
'encryption' => 'Krüpteering', 'encryption' => 'Krüpteering',
'mailgun_domain' => 'Mailgun Domeen', 'mailgun_domain' => 'Mailgun Domeen',
'mailgun_private_key' => 'Mailgun Privaatvõti', 'mailgun_private_key' => 'Mailgun Privaatvõti',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Saada test e-kiri', 'send_test_email' => 'Saada test e-kiri',
'select_label' => 'Vali Silt', 'select_label' => 'Vali Silt',
'label' => 'Silt', 'label' => 'Silt',
@ -4847,6 +4849,7 @@ $lang = array(
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5099,6 +5102,8 @@ $lang = array(
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5253,7 +5258,17 @@ $lang = array(
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'Delete Token', 'delete_token' => 'Delete Token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Delete Gateway', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Edit Gateway', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Successfully updated gateway', 'updated_gateway' => 'Successfully updated gateway',
'created_gateway' => 'Successfully created gateway', 'created_gateway' => 'Successfully created gateway',
'deleted_gateway' => 'Successfully deleted gateway', 'deleted_gateway' => 'Successfully deleted gateway',
@ -2197,6 +2197,8 @@ $lang = array(
'encryption' => 'Encryption', 'encryption' => 'Encryption',
'mailgun_domain' => 'Mailgun Domain', 'mailgun_domain' => 'Mailgun Domain',
'mailgun_private_key' => 'Mailgun Private Key', 'mailgun_private_key' => 'Mailgun Private Key',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Send test email', 'send_test_email' => 'Send test email',
'select_label' => 'Select Label', 'select_label' => 'Select Label',
'label' => 'Label', 'label' => 'Label',
@ -4847,6 +4849,7 @@ $lang = array(
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5099,6 +5102,8 @@ $lang = array(
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5253,7 +5258,17 @@ $lang = array(
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'Poista token', 'delete_token' => 'Poista token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Poista maksunvälittäjä', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Muokkaa maksunvälittäjää', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Maksunvälittäjä päivitetty onnistuneesti', 'updated_gateway' => 'Maksunvälittäjä päivitetty onnistuneesti',
'created_gateway' => 'Maksunvälittäjä luotu onnistuneesti', 'created_gateway' => 'Maksunvälittäjä luotu onnistuneesti',
'deleted_gateway' => 'Maksunvälittäjä poistettu onnistuneesti', 'deleted_gateway' => 'Maksunvälittäjä poistettu onnistuneesti',
@ -2197,6 +2197,8 @@ Kun saat summat, palaa tälle maksutapasivulle ja klikkaa "Saata loppuun todenta
'encryption' => 'Encryption', 'encryption' => 'Encryption',
'mailgun_domain' => 'Mailgun Domain', 'mailgun_domain' => 'Mailgun Domain',
'mailgun_private_key' => 'Mailgun Private Key', 'mailgun_private_key' => 'Mailgun Private Key',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'lähetä testisähköposti', 'send_test_email' => 'lähetä testisähköposti',
'select_label' => 'Valitse kenttä', 'select_label' => 'Valitse kenttä',
'label' => 'Label', 'label' => 'Label',
@ -4847,6 +4849,7 @@ Kun saat summat, palaa tälle maksutapasivulle ja klikkaa "Saata loppuun todenta
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5099,6 +5102,8 @@ Kun saat summat, palaa tälle maksutapasivulle ja klikkaa "Saata loppuun todenta
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5253,7 +5258,17 @@ Kun saat summat, palaa tälle maksutapasivulle ja klikkaa "Saata loppuun todenta
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -460,9 +460,9 @@ $lang = array(
'edit_token' => 'Éditer ce jeton', 'edit_token' => 'Éditer ce jeton',
'delete_token' => 'Supprimer ce jeton', 'delete_token' => 'Supprimer ce jeton',
'token' => 'Jeton', 'token' => 'Jeton',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Ajouter une passerelle de paiement',
'delete_gateway' => 'Supprimer la passerelle', 'delete_gateway' => 'Supprimer la passerelle de paiement',
'edit_gateway' => 'Éditer la passerelle', 'edit_gateway' => 'Modifier la passerelle de paiement',
'updated_gateway' => 'Passerelle mise à jour avec succès', 'updated_gateway' => 'Passerelle mise à jour avec succès',
'created_gateway' => 'Passerelle créée avec succès', 'created_gateway' => 'Passerelle créée avec succès',
'deleted_gateway' => 'Passerelle supprimée avec succès', 'deleted_gateway' => 'Passerelle supprimée avec succès',
@ -2197,6 +2197,8 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'encryption' => 'Chiffrement', 'encryption' => 'Chiffrement',
'mailgun_domain' => 'Domaine Mailgun', 'mailgun_domain' => 'Domaine Mailgun',
'mailgun_private_key' => 'Mailgun Private Key', 'mailgun_private_key' => 'Mailgun Private Key',
'brevo_domain' => 'Domaine de Brevo',
'brevo_private_key' => 'Clé privée Brevo',
'send_test_email' => 'Envoyer un courriel de test', 'send_test_email' => 'Envoyer un courriel de test',
'select_label' => 'Sélectionnez le label', 'select_label' => 'Sélectionnez le label',
'label' => 'Intitulé', 'label' => 'Intitulé',
@ -4847,6 +4849,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'email_alignment' => 'Alignement des e-mails', 'email_alignment' => 'Alignement des e-mails',
'pdf_preview_location' => 'Emplacement de prévisualisation PDF', 'pdf_preview_location' => 'Emplacement de prévisualisation PDF',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Cachet de la poste', 'postmark' => 'Cachet de la poste',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Cliquez sur + pour créer un enregistrement', 'click_plus_to_create_record' => 'Cliquez sur + pour créer un enregistrement',
@ -5099,6 +5102,8 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'drop_files_here' => 'Déposez les fichiers ici', 'drop_files_here' => 'Déposez les fichiers ici',
'upload_files' => 'Télécharger des fichiers', 'upload_files' => 'Télécharger des fichiers',
'download_e_invoice' => 'Télécharger la facture électronique', 'download_e_invoice' => 'Télécharger la facture électronique',
'download_e_credit' => 'Télécharger le crédit électronique',
'download_e_quote' => 'Télécharger le devis électronique',
'triangular_tax_info' => 'Article 141 de la directive 2006/112/CE opération triangulaire', 'triangular_tax_info' => 'Article 141 de la directive 2006/112/CE opération triangulaire',
'intracommunity_tax_info' => 'Livraison désignée à l\'article 262 ter du CGI TVA due par le preneur', 'intracommunity_tax_info' => 'Livraison désignée à l\'article 262 ter du CGI TVA due par le preneur',
'reverse_tax_info' => 'Exonération des TVA article 283-2 du CGI TVA due par le preneur', 'reverse_tax_info' => 'Exonération des TVA article 283-2 du CGI TVA due par le preneur',
@ -5201,7 +5206,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'nordigen_handler_error_heading_requisition_invalid_status' => 'Pas prêt', 'nordigen_handler_error_heading_requisition_invalid_status' => 'Pas prêt',
'nordigen_handler_error_contents_requisition_invalid_status' => 'Vous avez appelé ce site trop tôt. Veuillez terminer l&#39;autorisation et actualiser cette page. Contactez le support pour obtenir de l&#39;aide si ce problème persiste.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'Vous avez appelé ce site trop tôt. Veuillez terminer l&#39;autorisation et actualiser cette page. Contactez le support pour obtenir de l&#39;aide si ce problème persiste.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'Aucun compte sélectionné', 'nordigen_handler_error_heading_requisition_no_accounts' => 'Aucun compte sélectionné',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'Le service n&#39;a renvoyé aucun compte valide. Pensez à redémarrer le flux.',
'nordigen_handler_restart' => 'Redémarrez le flux.', 'nordigen_handler_restart' => 'Redémarrez le flux.',
'nordigen_handler_return' => 'Retour à la candidature.', 'nordigen_handler_return' => 'Retour à la candidature.',
'lang_Lao' => 'Laotien', 'lang_Lao' => 'Laotien',
@ -5242,18 +5247,28 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'gateway_type' => 'Type de passerelle', 'gateway_type' => 'Type de passerelle',
'save_template_body' => 'Souhaitez-vous enregistrer ce mappage dimportation en tant que modèle pour une utilisation future ?', 'save_template_body' => 'Souhaitez-vous enregistrer ce mappage dimportation en tant que modèle pour une utilisation future ?',
'save_as_template' => 'Enregistrer le mappage de modèle', 'save_as_template' => 'Enregistrer le mappage de modèle',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'Factures standard facturées automatiquement à la date d&#39;échéance',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'Facture automatique à la date d&#39;envoi OU à la date d&#39;échéance (factures récurrentes)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'Appliquer tout solde créditeur aux paiements avant de facturer un mode de paiement',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'Utiliser les paiements non imputés',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'Appliquer tous les soldes de paiement avant de facturer un mode de paiement',
'payment_terms_help' => 'Définit <b>la date d\'échéance de la facture</b> par défaut ', 'payment_terms_help' => 'Définit <b>la date d\'échéance de la facture</b> par défaut ',
'payment_type_help' => 'Définit le <b>type de paiement manuel </b> par défaut.', 'payment_type_help' => 'Définit le <b>type de paiement manuel </b> par défaut.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'Le nombre de jours pendant lesquels le devis est valable',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'Le type de paiement de dépenses par défaut à utiliser',
'paylater' => 'Pay in 4', 'paylater' => 'Payer en 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Fournisseur de paiement',
'select_email_provider' => 'Définissez votre adresse e-mail comme utilisateur expéditeur',
'purchase_order_items' => 'Articles de bon de commande',
'csv_rows_length' => 'Aucune donnée trouvée dans ce fichier CSV',
'accept_payments_online' => 'Acceptez les paiements en ligne',
'all_payment_gateways' => 'Voir toutes les passerelles de paiement',
'product_cost' => 'Coût du produit',
'enable_rappen_roudning' => 'Activer l&#39;arrondi Rappen',
'enable_rappen_rounding_help' => 'Arrondit les totaux au 5 le plus proche',
'duration_words' => 'Durée en mots',
'upcoming_recurring_invoices' => 'Factures récurrentes à venir',
'total_invoices' => 'Total des factures',
); );
return $lang; return $lang;

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'Supprimer le jeton', 'delete_token' => 'Supprimer le jeton',
'token' => 'Jeton', 'token' => 'Jeton',
'add_gateway' => 'Ajouter une passerelle de paiement', 'add_gateway' => 'Ajouter une passerelle de paiement',
'delete_gateway' => 'Supprimer la passerelle', 'delete_gateway' => 'Supprimer la passerelle de paiement1',
'edit_gateway' => 'Éditer la passerelle', 'edit_gateway' => 'Éditer la passerelle de paiement',
'updated_gateway' => 'La passerelle a été mise à jour', 'updated_gateway' => 'La passerelle a été mise à jour',
'created_gateway' => 'La passerelle a été créée', 'created_gateway' => 'La passerelle a été créée',
'deleted_gateway' => 'La passerelle a été supprimée', 'deleted_gateway' => 'La passerelle a été supprimée',
@ -5259,8 +5259,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'purchase_order_items' => 'Articles du bon d\'achat', 'purchase_order_items' => 'Articles du bon d\'achat',
'csv_rows_length' => 'Aucune donnée dans ce fichier CSV', 'csv_rows_length' => 'Aucune donnée dans ce fichier CSV',
'accept_payments_online' => 'Accepter les paiements en ligne', 'accept_payments_online' => 'Accepter les paiements en ligne',
'all_payment_gateways' => 'Voir toutes les passerelles de paiements', 'all_payment_gateways' => 'Voir toutes les passerelles de paiements',
'product_cost' => 'Coût du produit', 'product_cost' => 'Coût du produit',
'enable_rappen_roudning' => 'Activer arrondir les cents',
'enable_rappen_rounding_help' => 'Arrondir les totaux au 5 le plus proche',
'duration_words' => 'Durée en mots',
'upcoming_recurring_invoices' => 'Factures récurrentes à venir',
'total_invoices' => 'Total factures',
); );
return $lang; return $lang;

View File

@ -460,9 +460,9 @@ $lang = array(
'edit_token' => 'Éditer le jeton', 'edit_token' => 'Éditer le jeton',
'delete_token' => 'Supprimer le jeton', 'delete_token' => 'Supprimer le jeton',
'token' => 'Jeton', 'token' => 'Jeton',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Ajouter une passerelle de paiement',
'delete_gateway' => 'Supprimer la passerelle', 'delete_gateway' => 'Supprimer la passerelle de paiement',
'edit_gateway' => 'Éditer la passerelle', 'edit_gateway' => 'Modifier la passerelle de paiement',
'updated_gateway' => 'La passerelle a été mise à jour avec succès', 'updated_gateway' => 'La passerelle a été mise à jour avec succès',
'created_gateway' => 'La passerelle a été créée avec succès', 'created_gateway' => 'La passerelle a été créée avec succès',
'deleted_gateway' => 'La passerelle a été supprimée avec succès', 'deleted_gateway' => 'La passerelle a été supprimée avec succès',
@ -2194,6 +2194,8 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'encryption' => 'Cryptage', 'encryption' => 'Cryptage',
'mailgun_domain' => 'Domaine Mailgun', 'mailgun_domain' => 'Domaine Mailgun',
'mailgun_private_key' => 'Clé privée Mailgun', 'mailgun_private_key' => 'Clé privée Mailgun',
'brevo_domain' => 'Domaine de Brevo',
'brevo_private_key' => 'Clé privée Brevo',
'send_test_email' => 'Envoyer un courriel test', 'send_test_email' => 'Envoyer un courriel test',
'select_label' => 'Sélectionnez le libellé', 'select_label' => 'Sélectionnez le libellé',
'label' => 'Libellé', 'label' => 'Libellé',
@ -4844,6 +4846,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Cliquez sur + pour créer un enregistrement', 'click_plus_to_create_record' => 'Cliquez sur + pour créer un enregistrement',
@ -5096,6 +5099,8 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'drop_files_here' => 'Déposez les fichiers ici', 'drop_files_here' => 'Déposez les fichiers ici',
'upload_files' => 'Téléverser les fichiers', 'upload_files' => 'Téléverser les fichiers',
'download_e_invoice' => 'Télécharger la facture électronique', 'download_e_invoice' => 'Télécharger la facture électronique',
'download_e_credit' => 'Télécharger le crédit électronique',
'download_e_quote' => 'Télécharger le devis électronique',
'triangular_tax_info' => 'Transaction triangulaire intracommunautaire', 'triangular_tax_info' => 'Transaction triangulaire intracommunautaire',
'intracommunity_tax_info' => 'Livraison intracommunautaire hors taxes', 'intracommunity_tax_info' => 'Livraison intracommunautaire hors taxes',
'reverse_tax_info' => 'Veuillez noter que cette fourniture est soumise à l&#39;autoliquidation', 'reverse_tax_info' => 'Veuillez noter que cette fourniture est soumise à l&#39;autoliquidation',
@ -5198,7 +5203,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'nordigen_handler_error_heading_requisition_invalid_status' => 'Pas prêt', 'nordigen_handler_error_heading_requisition_invalid_status' => 'Pas prêt',
'nordigen_handler_error_contents_requisition_invalid_status' => 'Vous avez appelé ce site trop tôt. Veuillez terminer l&#39;autorisation et actualiser cette page. Contactez le support pour obtenir de l&#39;aide si ce problème persiste.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'Vous avez appelé ce site trop tôt. Veuillez terminer l&#39;autorisation et actualiser cette page. Contactez le support pour obtenir de l&#39;aide si ce problème persiste.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'Aucun compte sélectionné', 'nordigen_handler_error_heading_requisition_no_accounts' => 'Aucun compte sélectionné',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'Le service n&#39;a renvoyé aucun compte valide. Pensez à redémarrer le flux.',
'nordigen_handler_restart' => 'Redémarrez le flux.', 'nordigen_handler_restart' => 'Redémarrez le flux.',
'nordigen_handler_return' => 'Retour à la candidature.', 'nordigen_handler_return' => 'Retour à la candidature.',
'lang_Lao' => 'Laotien', 'lang_Lao' => 'Laotien',
@ -5239,18 +5244,28 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'gateway_type' => 'Type de passerelle', 'gateway_type' => 'Type de passerelle',
'save_template_body' => 'Souhaitez-vous enregistrer ce mappage dimportation en tant que modèle pour une utilisation future ?', 'save_template_body' => 'Souhaitez-vous enregistrer ce mappage dimportation en tant que modèle pour une utilisation future ?',
'save_as_template' => 'Enregistrer le mappage de modèle', 'save_as_template' => 'Enregistrer le mappage de modèle',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'Factures standard facturées automatiquement à la date d&#39;échéance',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'Facture automatique à la date d&#39;envoi OU à la date d&#39;échéance (factures récurrentes)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'Appliquer tout solde créditeur aux paiements avant de facturer un mode de paiement',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'Utiliser les paiements non imputés',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'Appliquer tous les soldes de paiement avant de facturer un mode de paiement',
'payment_terms_help' => 'Définit la <b>date d\'échéance de la facture</b> par défaut', 'payment_terms_help' => 'Définit la <b>date d\'échéance de la facture</b> par défaut',
'payment_type_help' => 'Définit le <b>type de paiement manuel<b/> par défaut.', 'payment_type_help' => 'Définit le <b>type de paiement manuel<b/> par défaut.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'Le nombre de jours pendant lesquels le devis est valable',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'Le type de paiement de dépenses par défaut à utiliser',
'paylater' => 'Pay in 4', 'paylater' => 'Payer en 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Fournisseur de paiement',
'select_email_provider' => 'Définissez votre adresse e-mail comme utilisateur expéditeur',
'purchase_order_items' => 'Articles de bon de commande',
'csv_rows_length' => 'Aucune donnée trouvée dans ce fichier CSV',
'accept_payments_online' => 'Acceptez les paiements en ligne',
'all_payment_gateways' => 'Voir toutes les passerelles de paiement',
'product_cost' => 'Coût du produit',
'enable_rappen_roudning' => 'Activer l&#39;arrondi Rappen',
'enable_rappen_rounding_help' => 'Arrondit les totaux au 5 le plus proche',
'duration_words' => 'Durée en mots',
'upcoming_recurring_invoices' => 'Factures récurrentes à venir',
'total_invoices' => 'Total des factures',
); );
return $lang; return $lang;

View File

@ -458,9 +458,9 @@ $lang = array(
'edit_token' => 'עריכת טוקן', 'edit_token' => 'עריכת טוקן',
'delete_token' => 'מחיקת טוקן', 'delete_token' => 'מחיקת טוקן',
'token' => 'טוקן', 'token' => 'טוקן',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'הוסף שער תשלום',
'delete_gateway' => 'מחיקת Gateway', 'delete_gateway' => 'מחק שער תשלום',
'edit_gateway' => 'עריכת Gateway', 'edit_gateway' => 'ערוך שער תשלום',
'updated_gateway' => 'Gateway עודכן בהצלחה', 'updated_gateway' => 'Gateway עודכן בהצלחה',
'created_gateway' => 'Gateway נוצר בהצלחה', 'created_gateway' => 'Gateway נוצר בהצלחה',
'deleted_gateway' => 'Gateway נמחק', 'deleted_gateway' => 'Gateway נמחק',
@ -2195,6 +2195,8 @@ $lang = array(
'encryption' => 'Encryption', 'encryption' => 'Encryption',
'mailgun_domain' => 'Mailgun Domain', 'mailgun_domain' => 'Mailgun Domain',
'mailgun_private_key' => 'Mailgun Private Key', 'mailgun_private_key' => 'Mailgun Private Key',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'מפתח פרטי Brevo',
'send_test_email' => 'Send test email', 'send_test_email' => 'Send test email',
'select_label' => 'Select Label', 'select_label' => 'Select Label',
'label' => 'Label', 'label' => 'Label',
@ -4845,6 +4847,7 @@ $lang = array(
'email_alignment' => 'יישור אימייל', 'email_alignment' => 'יישור אימייל',
'pdf_preview_location' => 'מיקום תצוגה מקדימה של PDF', 'pdf_preview_location' => 'מיקום תצוגה מקדימה של PDF',
'mailgun' => 'דואר רובה', 'mailgun' => 'דואר רובה',
'brevo' => 'ברבו',
'postmark' => 'חוֹתֶמֶת דוֹאַר', 'postmark' => 'חוֹתֶמֶת דוֹאַר',
'microsoft' => 'מיקרוסופט', 'microsoft' => 'מיקרוסופט',
'click_plus_to_create_record' => 'לחץ על + כדי ליצור רשומה', 'click_plus_to_create_record' => 'לחץ על + כדי ליצור רשומה',
@ -5097,6 +5100,8 @@ $lang = array(
'drop_files_here' => 'זרוק קבצים כאן', 'drop_files_here' => 'זרוק קבצים כאן',
'upload_files' => 'העלה קבצים', 'upload_files' => 'העלה קבצים',
'download_e_invoice' => 'הורד חשבונית אלקטרונית', 'download_e_invoice' => 'הורד חשבונית אלקטרונית',
'download_e_credit' => 'הורד E-Credit',
'download_e_quote' => 'הורד ציטוט אלקטרוני',
'triangular_tax_info' => 'עסקה משולשת תוך קהילתית', 'triangular_tax_info' => 'עסקה משולשת תוך קהילתית',
'intracommunity_tax_info' => 'משלוח תוך קהילתי ללא מס', 'intracommunity_tax_info' => 'משלוח תוך קהילתי ללא מס',
'reverse_tax_info' => 'לידיעתך, אספקה זו כפופה לחיוב הפוך', 'reverse_tax_info' => 'לידיעתך, אספקה זו כפופה לחיוב הפוך',
@ -5199,7 +5204,7 @@ $lang = array(
'nordigen_handler_error_heading_requisition_invalid_status' => 'לא מוכן', 'nordigen_handler_error_heading_requisition_invalid_status' => 'לא מוכן',
'nordigen_handler_error_contents_requisition_invalid_status' => 'התקשרת לאתר הזה מוקדם מדי. אנא סיים את ההרשאה ורענן דף זה. פנה לתמיכה לקבלת עזרה, אם הבעיה נמשכת.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'התקשרת לאתר הזה מוקדם מדי. אנא סיים את ההרשאה ורענן דף זה. פנה לתמיכה לקבלת עזרה, אם הבעיה נמשכת.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'לא נבחרו חשבונות', 'nordigen_handler_error_heading_requisition_no_accounts' => 'לא נבחרו חשבונות',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'השירות לא החזיר חשבונות תקפים. שקול להפעיל מחדש את הזרימה.',
'nordigen_handler_restart' => 'הפעל מחדש את הזרימה.', 'nordigen_handler_restart' => 'הפעל מחדש את הזרימה.',
'nordigen_handler_return' => 'חזור ליישום.', 'nordigen_handler_return' => 'חזור ליישום.',
'lang_Lao' => 'לאו', 'lang_Lao' => 'לאו',
@ -5240,18 +5245,28 @@ $lang = array(
'gateway_type' => 'סוג שער', 'gateway_type' => 'סוג שער',
'save_template_body' => 'האם תרצה לשמור את מיפוי הייבוא הזה כתבנית לשימוש עתידי?', 'save_template_body' => 'האם תרצה לשמור את מיפוי הייבוא הזה כתבנית לשימוש עתידי?',
'save_as_template' => 'שמור מיפוי תבניות', 'save_as_template' => 'שמור מיפוי תבניות',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'חיוב אוטומטי בחשבוניות סטנדרטיות בתאריך הפירעון',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'חיוב אוטומטי בתאריך השליחה או תאריך פירעון (חשבוניות חוזרות)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'החל יתרות אשראי על תשלומים לפני חיוב אמצעי תשלום',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'השתמש בתשלומים שלא הוחלו',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'החל יתרות תשלום לפני חיוב אמצעי תשלום',
'payment_terms_help' => 'מגדיר את ברית המחדל <b> תאריך לתשלום </b>', 'payment_terms_help' => 'מגדיר את ברית המחדל <b> תאריך לתשלום </b>',
'payment_type_help' => 'הגדר כברירת מחדל <b>manual payment type</b>.', 'payment_type_help' => 'הגדר כברירת מחדל <b>manual payment type</b>.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'מספר הימים שעבורם הצעת המחיר תקפה',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'סוג תשלום ההוצאות המוגדר כברירת מחדל שיש להשתמש בו',
'paylater' => 'Pay in 4', 'paylater' => 'שלם ב-4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'ספק תשלומים',
'select_email_provider' => 'הגדר את האימייל שלך כמשתמש השולח',
'purchase_order_items' => 'פריטי הזמנה לרכישה',
'csv_rows_length' => 'לא נמצאו נתונים בקובץ ה-CSV הזה',
'accept_payments_online' => 'קבל תשלומים באינטרנט',
'all_payment_gateways' => 'הצג את כל שערי התשלום',
'product_cost' => 'עלות המוצר',
'enable_rappen_roudning' => 'הפעל עיגול Rappen',
'enable_rappen_rounding_help' => 'סיבובים מסתכמים ל-5 הקרובים ביותר',
'duration_words' => 'משך זמן במילים',
'upcoming_recurring_invoices' => 'חשבוניות חוזרות בקרוב',
'total_invoices' => 'סך החשבוניות',
); );
return $lang; return $lang;

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'Obriši token', 'delete_token' => 'Obriši token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Obriši usmjernik', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Uredi usmjernik', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Uspješno ažuriran usmjernik', 'updated_gateway' => 'Uspješno ažuriran usmjernik',
'created_gateway' => 'Uspješno kreiran usmjernik', 'created_gateway' => 'Uspješno kreiran usmjernik',
'deleted_gateway' => 'Uspješno obrisan usmjernik', 'deleted_gateway' => 'Uspješno obrisan usmjernik',
@ -2198,6 +2198,8 @@ Nevažeći kontakt email',
'encryption' => 'Encryption', 'encryption' => 'Encryption',
'mailgun_domain' => 'Mailgun Domain', 'mailgun_domain' => 'Mailgun Domain',
'mailgun_private_key' => 'Mailgun Private Key', 'mailgun_private_key' => 'Mailgun Private Key',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Send test email', 'send_test_email' => 'Send test email',
'select_label' => 'Select Label', 'select_label' => 'Select Label',
'label' => 'Label', 'label' => 'Label',
@ -4848,6 +4850,7 @@ Nevažeći kontakt email',
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5100,6 +5103,8 @@ Nevažeći kontakt email',
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5254,7 +5259,17 @@ Nevažeći kontakt email',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -453,9 +453,9 @@ $lang = array(
'edit_token' => 'Token szerkesztése', 'edit_token' => 'Token szerkesztése',
'delete_token' => 'Token törlése', 'delete_token' => 'Token törlése',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Fizetési átjáró hozzáadása',
'delete_gateway' => 'Szolgáltató törlése', 'delete_gateway' => 'Fizetési átjáró törlése',
'edit_gateway' => 'Szolgáltató szerkesztése', 'edit_gateway' => 'Fizetési átjáró szerkesztése',
'updated_gateway' => 'Szolgáltató sikeresen frissítve', 'updated_gateway' => 'Szolgáltató sikeresen frissítve',
'created_gateway' => 'Szolgáltató sikeresen létrehozva', 'created_gateway' => 'Szolgáltató sikeresen létrehozva',
'deleted_gateway' => 'Szolgáltató sikeresen törölve', 'deleted_gateway' => 'Szolgáltató sikeresen törölve',
@ -2181,6 +2181,8 @@ adva :date',
'encryption' => 'Titkosítás', 'encryption' => 'Titkosítás',
'mailgun_domain' => 'Mailgun tartomány', 'mailgun_domain' => 'Mailgun tartomány',
'mailgun_private_key' => 'Mailgun privát kulcs', 'mailgun_private_key' => 'Mailgun privát kulcs',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo privát kulcs',
'send_test_email' => 'Teszt e-mail küldése', 'send_test_email' => 'Teszt e-mail küldése',
'select_label' => 'Címke kiválasztása', 'select_label' => 'Címke kiválasztása',
'label' => 'Címke', 'label' => 'Címke',
@ -4831,6 +4833,7 @@ adva :date',
'email_alignment' => 'email igazítása', 'email_alignment' => 'email igazítása',
'pdf_preview_location' => 'PDF-előnézet helye', 'pdf_preview_location' => 'PDF-előnézet helye',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'létrehozás klikkeléssel (+)', 'click_plus_to_create_record' => 'létrehozás klikkeléssel (+)',
@ -5083,6 +5086,8 @@ adva :date',
'drop_files_here' => 'Dobja ide a fájlokat', 'drop_files_here' => 'Dobja ide a fájlokat',
'upload_files' => 'Fájlok feltöltése', 'upload_files' => 'Fájlok feltöltése',
'download_e_invoice' => 'E-számla letöltése', 'download_e_invoice' => 'E-számla letöltése',
'download_e_credit' => 'Töltse le az E-Creditet',
'download_e_quote' => 'Töltse le az E-Quote-ot',
'triangular_tax_info' => 'Közösségen belüli háromszög tranzakció', 'triangular_tax_info' => 'Közösségen belüli háromszög tranzakció',
'intracommunity_tax_info' => 'Adómentes közösségen belüli kiszállítás', 'intracommunity_tax_info' => 'Adómentes közösségen belüli kiszállítás',
'reverse_tax_info' => 'Felhívjuk figyelmét, hogy ez a szolgáltatás fordított adózás hatálya alá tartozik', 'reverse_tax_info' => 'Felhívjuk figyelmét, hogy ez a szolgáltatás fordított adózás hatálya alá tartozik',
@ -5185,7 +5190,7 @@ adva :date',
'nordigen_handler_error_heading_requisition_invalid_status' => 'Nem áll készen', 'nordigen_handler_error_heading_requisition_invalid_status' => 'Nem áll készen',
'nordigen_handler_error_contents_requisition_invalid_status' => 'Túl korán hívta fel ezt az oldalt. Kérjük, fejezze be az engedélyezést, és frissítse ezt az oldalt. Ha a probléma továbbra is fennáll, forduljon az ügyfélszolgálathoz.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'Túl korán hívta fel ezt az oldalt. Kérjük, fejezze be az engedélyezést, és frissítse ezt az oldalt. Ha a probléma továbbra is fennáll, forduljon az ügyfélszolgálathoz.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'Nincsenek kiválasztott fiókok', 'nordigen_handler_error_heading_requisition_no_accounts' => 'Nincsenek kiválasztott fiókok',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'A szolgáltatás nem adott vissza egyetlen érvényes fiókot sem. Fontolja meg az áramlás újraindítását.',
'nordigen_handler_restart' => 'Folyamat újraindítása.', 'nordigen_handler_restart' => 'Folyamat újraindítása.',
'nordigen_handler_return' => 'Vissza az alkalmazáshoz.', 'nordigen_handler_return' => 'Vissza az alkalmazáshoz.',
'lang_Lao' => 'Lao', 'lang_Lao' => 'Lao',
@ -5226,18 +5231,28 @@ adva :date',
'gateway_type' => 'Átjáró típusa', 'gateway_type' => 'Átjáró típusa',
'save_template_body' => 'Szeretné menteni ezt az importleképezést sablonként későbbi használatra?', 'save_template_body' => 'Szeretné menteni ezt az importleképezést sablonként későbbi használatra?',
'save_as_template' => 'Sablonleképezés mentése', 'save_as_template' => 'Sablonleképezés mentése',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'Normál számlák automatikus számlázása esedékességkor',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'Automatikus számla a küldés napján VAGY esedékesség dátuma (ismétlődő számlák)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'A fizetési mód megterhelése előtt alkalmazza az esetleges jóváírási egyenlegeket a kifizetésekre',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'Használjon nem érvényesített kifizetéseket',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'A fizetési mód megterhelése előtt alkalmazza a fizetési egyenleget',
'payment_terms_help' => 'Alapértelmezett fizetési határidő beállítása', 'payment_terms_help' => 'Alapértelmezett fizetési határidő beállítása',
'payment_type_help' => 'Segítség a fizetési típusokhoz', 'payment_type_help' => 'Segítség a fizetési típusokhoz',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'A napok száma, ameddig az árajánlat érvényes',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'A használandó alapértelmezett költségfizetési típus',
'paylater' => 'Pay in 4', 'paylater' => 'Fizessen be 4-ben',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Fizetési Szolgáltató',
'select_email_provider' => 'Állítsa be az e-mail címét küldő felhasználóként',
'purchase_order_items' => 'Megrendelési tételek',
'csv_rows_length' => 'Nem található adat ebben a CSV-fájlban',
'accept_payments_online' => 'Online fizetések elfogadása',
'all_payment_gateways' => 'Tekintse meg az összes fizetési átjárót',
'product_cost' => 'A termék költsége',
'enable_rappen_roudning' => 'Rappen kerekítés engedélyezése',
'enable_rappen_rounding_help' => 'Az összegeket 5-re kerekíti',
'duration_words' => 'Időtartam szavakban',
'upcoming_recurring_invoices' => 'Közelgő ismétlődő számlák',
'total_invoices' => 'Összes számla',
); );
return $lang; return $lang;

View File

@ -460,9 +460,9 @@ $lang = array(
'edit_token' => 'Modifica token', 'edit_token' => 'Modifica token',
'delete_token' => 'Elimina Token', 'delete_token' => 'Elimina Token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Aggiungi Piattaforma di Pagamento',
'delete_gateway' => 'Elimina Gateway', 'delete_gateway' => 'Elimina Piattaforma di Pagamento',
'edit_gateway' => 'Modifica Gateway', 'edit_gateway' => 'Modifica Piattaforma di Pagamento',
'updated_gateway' => 'Piattaforma aggiornata con successo', 'updated_gateway' => 'Piattaforma aggiornata con successo',
'created_gateway' => 'Gateway creato correttamente', 'created_gateway' => 'Gateway creato correttamente',
'deleted_gateway' => 'Piattaforma eliminata correttamente', 'deleted_gateway' => 'Piattaforma eliminata correttamente',
@ -506,8 +506,8 @@ $lang = array(
'auto_wrap' => 'Linea a capo automaticamente', 'auto_wrap' => 'Linea a capo automaticamente',
'duplicate_post' => 'Attenzione: la pagina precedente è stata inviata due volte. Il secondo invio è stato ignorato.', 'duplicate_post' => 'Attenzione: la pagina precedente è stata inviata due volte. Il secondo invio è stato ignorato.',
'view_documentation' => 'Visualizza documentazione', 'view_documentation' => 'Visualizza documentazione',
'app_title' => 'Free Online Invoicing', 'app_title' => 'Fatturazione online gratuita',
'app_description' => 'Invoice Ninja is a free, open-code solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.', 'app_description' => 'Fattura Ninja è una soluzione gratuita a codice aperto per i clienti Fattura e fatturazione. Con Fattura Ninja puoi facilmente creare e inviare bellissime Fatture da qualsiasi dispositivo che abbia accesso al web. I tuoi Clienti possono stampare le tue Fatture , scaricarle come file PDF e persino pagarti online dall&#39;interno del sistema.',
'rows' => 'righe', 'rows' => 'righe',
'www' => 'www', 'www' => 'www',
'logo' => 'Logo', 'logo' => 'Logo',
@ -693,9 +693,9 @@ $lang = array(
'disable' => 'Disabilita', 'disable' => 'Disabilita',
'invoice_quote_number' => 'Numerazione Fatture e Preventivi', 'invoice_quote_number' => 'Numerazione Fatture e Preventivi',
'invoice_charges' => 'Supplementi fattura', 'invoice_charges' => 'Supplementi fattura',
'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact. <br><br> :error', 'notification_invoice_bounced' => 'Non siamo riusciti a consegnare Fattura :invoice a :contact .<br><br> :error',
'notification_invoice_bounced_subject' => 'Impossibile recapitare la fattura n° :invoice', 'notification_invoice_bounced_subject' => 'Impossibile recapitare la fattura n° :invoice',
'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact. <br><br> :error', 'notification_quote_bounced' => 'Non siamo riusciti a consegnare il preventivo :invoice a :contact .<br><br> :error',
'notification_quote_bounced_subject' => 'Impossibile recapitare il preventivo :invoice', 'notification_quote_bounced_subject' => 'Impossibile recapitare il preventivo :invoice',
'custom_invoice_link' => 'Link fattura personalizzata', 'custom_invoice_link' => 'Link fattura personalizzata',
'total_invoiced' => 'Fatturato totale', 'total_invoiced' => 'Fatturato totale',
@ -2188,6 +2188,8 @@ $lang = array(
'encryption' => 'Crittografia', 'encryption' => 'Crittografia',
'mailgun_domain' => 'Dominio mailgun', 'mailgun_domain' => 'Dominio mailgun',
'mailgun_private_key' => 'Chiave privata Mailgun', 'mailgun_private_key' => 'Chiave privata Mailgun',
'brevo_domain' => 'Dominio Brevo',
'brevo_private_key' => 'Chiave privata Brevo',
'send_test_email' => 'Invia email di test', 'send_test_email' => 'Invia email di test',
'select_label' => 'Seleziona etichetta', 'select_label' => 'Seleziona etichetta',
'label' => 'Etichetta', 'label' => 'Etichetta',
@ -3001,7 +3003,7 @@ $lang = array(
'hosted_login' => 'Accesso ospitato', 'hosted_login' => 'Accesso ospitato',
'selfhost_login' => 'Accesso self-host', 'selfhost_login' => 'Accesso self-host',
'google_login' => 'Login Google', 'google_login' => 'Login Google',
'thanks_for_patience' => 'Thank for your patience while we work to implement these features.<br><br>We hope to have them completed in the next few months.<br><br>Until then we\'ll continue to support the', 'thanks_for_patience' => 'Grazie per la pazienza dimostrata mentre lavoriamo per implementare queste funzionalità.<br><br> Speriamo di portarli a termine nei prossimi mesi.<br><br> Fino ad allora continueremo a sostenere il',
'legacy_mobile_app' => 'app mobile precedente', 'legacy_mobile_app' => 'app mobile precedente',
'today' => 'Oggi', 'today' => 'Oggi',
'current' => 'Corrente', 'current' => 'Corrente',
@ -3859,7 +3861,7 @@ $lang = array(
'cancellation_pending' => 'Cancellazione in corso, ci metteremo in contatto!', 'cancellation_pending' => 'Cancellazione in corso, ci metteremo in contatto!',
'list_of_payments' => 'Elenco dei pagamenti', 'list_of_payments' => 'Elenco dei pagamenti',
'payment_details' => 'Dettagli del pagamento', 'payment_details' => 'Dettagli del pagamento',
'list_of_payment_invoices' => 'Associate invoices', 'list_of_payment_invoices' => 'Fatture associato',
'list_of_payment_methods' => 'Elenco dei metodi di pagamento', 'list_of_payment_methods' => 'Elenco dei metodi di pagamento',
'payment_method_details' => 'Dettagli del metodo di pagamento', 'payment_method_details' => 'Dettagli del metodo di pagamento',
'permanently_remove_payment_method' => 'Rimuovi definitivamente questo metodo di pagamento.', 'permanently_remove_payment_method' => 'Rimuovi definitivamente questo metodo di pagamento.',
@ -4838,6 +4840,7 @@ $lang = array(
'email_alignment' => 'Allineamento e-mail', 'email_alignment' => 'Allineamento e-mail',
'pdf_preview_location' => 'Posizione anteprima PDF', 'pdf_preview_location' => 'Posizione anteprima PDF',
'mailgun' => 'Pistola postale', 'mailgun' => 'Pistola postale',
'brevo' => 'Brevo',
'postmark' => 'Timbro postale', 'postmark' => 'Timbro postale',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Fare clic su + per creare un record', 'click_plus_to_create_record' => 'Fare clic su + per creare un record',
@ -4916,7 +4919,7 @@ $lang = array(
'no_assigned_tasks' => 'Nessuna attività fatturabile per questo progetto', 'no_assigned_tasks' => 'Nessuna attività fatturabile per questo progetto',
'authorization_failure' => 'Autorizzazioni insufficienti per eseguire questa azione', 'authorization_failure' => 'Autorizzazioni insufficienti per eseguire questa azione',
'authorization_sms_failure' => 'Verifica il tuo account per inviare e-mail.', 'authorization_sms_failure' => 'Verifica il tuo account per inviare e-mail.',
'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key <br><br> You can manage your license here: https://invoiceninja.invoicing.co/client/login', 'white_label_body' => 'Grazie per aver acquistato una licenza White Label .<br><br> La tua chiave di licenza è:<br><br> :license_key<br><br> Puoi gestire la tua licenza qui: https://invoiceninja. Fatturazione .co/ Cliente /login',
'payment_type_Klarna' => 'Clarna', 'payment_type_Klarna' => 'Clarna',
'payment_type_Interac E Transfer' => 'Interac E Trasferimento', 'payment_type_Interac E Transfer' => 'Interac E Trasferimento',
'xinvoice_payable' => 'Pagabile entro :payeddue giorni netti fino :paydate', 'xinvoice_payable' => 'Pagabile entro :payeddue giorni netti fino :paydate',
@ -5081,7 +5084,7 @@ $lang = array(
'region' => 'Regione', 'region' => 'Regione',
'county' => 'contea', 'county' => 'contea',
'tax_details' => 'Dettagli fiscali', 'tax_details' => 'Dettagli fiscali',
'activity_10_online' => ':contact made payment :payment for invoice :invoice for :client', 'activity_10_online' => ':contact effettuato Pagamento :payment per Fattura :invoice per :client',
'activity_10_manual' => ':user inserito Pagamento :payment per Fattura :invoice per :client', 'activity_10_manual' => ':user inserito Pagamento :payment per Fattura :invoice per :client',
'default_payment_type' => 'Tipo Pagamento predefinito', 'default_payment_type' => 'Tipo Pagamento predefinito',
'number_precision' => 'Precisione dei numeri', 'number_precision' => 'Precisione dei numeri',
@ -5090,6 +5093,8 @@ $lang = array(
'drop_files_here' => 'Rilascia i file qui', 'drop_files_here' => 'Rilascia i file qui',
'upload_files' => 'Caricare files', 'upload_files' => 'Caricare files',
'download_e_invoice' => 'Scarica E- Fattura', 'download_e_invoice' => 'Scarica E- Fattura',
'download_e_credit' => 'Scarica Credito elettronico',
'download_e_quote' => 'Scarica Preventivo elettronico',
'triangular_tax_info' => 'Transazione triangolare intracomunitaria', 'triangular_tax_info' => 'Transazione triangolare intracomunitaria',
'intracommunity_tax_info' => 'Consegna intracomunitaria esente da imposte', 'intracommunity_tax_info' => 'Consegna intracomunitaria esente da imposte',
'reverse_tax_info' => 'Si prega di Nota che questa fornitura è soggetta a inversione contabile', 'reverse_tax_info' => 'Si prega di Nota che questa fornitura è soggetta a inversione contabile',
@ -5111,7 +5116,7 @@ $lang = array(
'set_private' => 'Imposta privato', 'set_private' => 'Imposta privato',
'individual' => 'Individuale', 'individual' => 'Individuale',
'business' => 'Attività commerciale', 'business' => 'Attività commerciale',
'partnership' => 'Partnership', 'partnership' => 'Associazione',
'trust' => 'Fiducia', 'trust' => 'Fiducia',
'charity' => 'Beneficenza', 'charity' => 'Beneficenza',
'government' => 'Governo', 'government' => 'Governo',
@ -5168,83 +5173,93 @@ $lang = array(
'charges' => 'Spese', 'charges' => 'Spese',
'email_report' => 'rapporto email', 'email_report' => 'rapporto email',
'payment_type_Pay Later' => 'Paga dopo', 'payment_type_Pay Later' => 'Paga dopo',
'payment_type_credit' => 'Payment Type Credit', 'payment_type_credit' => 'Pagamento Tipo Credito',
'payment_type_debit' => 'Payment Type Debit', 'payment_type_debit' => 'Pagamento Tipo Addebito',
'send_emails_to' => 'Send Emails To', 'send_emails_to' => 'Invia email a',
'primary_contact' => 'Primary Contact', 'primary_contact' => 'contatto primario',
'all_contacts' => 'All Contacts', 'all_contacts' => 'Tutti i contatti',
'insert_below' => 'Insert Below', 'insert_below' => 'Inserisci sotto',
'nordigen_handler_subtitle' => 'Bank account authentication. Selecting your institution to complete the request with your account credentials.', 'nordigen_handler_subtitle' => 'Autenticazione del conto bancario. Seleziona il tuo istituto per completare la richiesta con le credenziali del tuo account.',
'nordigen_handler_error_heading_unknown' => 'An error has occured', 'nordigen_handler_error_heading_unknown' => 'C&#39;è stato un errore',
'nordigen_handler_error_contents_unknown' => 'An unknown error has occurred! Reason:', 'nordigen_handler_error_contents_unknown' => 'Si è verificato un errore sconosciuto! Motivo:',
'nordigen_handler_error_heading_token_invalid' => 'Invalid Token', 'nordigen_handler_error_heading_token_invalid' => 'gettone non valido',
'nordigen_handler_error_contents_token_invalid' => 'The provided token was invalid. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_token_invalid' => 'Il token fornito non era valido. contatto il supporto per assistenza, se il problema persiste.',
'nordigen_handler_error_heading_account_config_invalid' => 'Missing Credentials', 'nordigen_handler_error_heading_account_config_invalid' => 'Credenziali mancanti',
'nordigen_handler_error_contents_account_config_invalid' => 'Invalid or missing credentials for Gocardless Bank Account Data. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_account_config_invalid' => 'Credenziali non valide o mancanti per i dati del conto bancario Gocardless. contatto il supporto per assistenza, se il problema persiste.',
'nordigen_handler_error_heading_not_available' => 'Not Available', 'nordigen_handler_error_heading_not_available' => 'Non disponibile',
'nordigen_handler_error_contents_not_available' => 'Feature unavailable, enterprise plan only.', 'nordigen_handler_error_contents_not_available' => 'Funzionalità non disponibile, solo piano aziendale.',
'nordigen_handler_error_heading_institution_invalid' => 'Invalid Institution', 'nordigen_handler_error_heading_institution_invalid' => 'Istituzione non valida',
'nordigen_handler_error_contents_institution_invalid' => 'The provided institution-id is invalid or no longer valid.', 'nordigen_handler_error_contents_institution_invalid' => 'L&#39;ID istituto fornito non è valido o non è più valido.',
'nordigen_handler_error_heading_ref_invalid' => 'Invalid Reference', 'nordigen_handler_error_heading_ref_invalid' => 'Riferimento non valido',
'nordigen_handler_error_contents_ref_invalid' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_ref_invalid' => 'GoCardless non ha fornito un riferimento valido. Se il problema persiste, esegui nuovamente il flusso e contatto l&#39;assistenza.',
'nordigen_handler_error_heading_not_found' => 'Invalid Requisition', 'nordigen_handler_error_heading_not_found' => 'Richiesta non valida',
'nordigen_handler_error_contents_not_found' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_not_found' => 'GoCardless non ha fornito un riferimento valido. Se il problema persiste, esegui nuovamente il flusso e contatto l&#39;assistenza.',
'nordigen_handler_error_heading_requisition_invalid_status' => 'Not Ready', 'nordigen_handler_error_heading_requisition_invalid_status' => 'Non pronto',
'nordigen_handler_error_contents_requisition_invalid_status' => 'You called this site too early. Please finish authorization and refresh this page. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'Hai chiamato questo sito troppo presto. Completa l&#39;autorizzazione e aggiorna questa pagina. contatto il supporto per assistenza, se il problema persiste.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'No Accounts selected', 'nordigen_handler_error_heading_requisition_no_accounts' => 'Nessun account selezionato',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'Il servizio non ha restituito alcun account valido. Valuta la possibilità di riavviare il flusso.',
'nordigen_handler_restart' => 'Restart flow.', 'nordigen_handler_restart' => 'Riavviare il flusso.',
'nordigen_handler_return' => 'Return to application.', 'nordigen_handler_return' => 'Ritorna all&#39;applicazione.',
'lang_Lao' => 'Lao', 'lang_Lao' => 'Laotiano',
'currency_lao_kip' => 'Lao kip', 'currency_lao_kip' => 'Kip laotiano',
'yodlee_regions' => 'Regions: USA, UK, Australia & India', 'yodlee_regions' => 'Regioni: Stati Uniti, Regno Unito, Australia e India',
'nordigen_regions' => 'Regions: Europe & UK', 'nordigen_regions' => 'Regioni: Europa e Regno Unito',
'select_provider' => 'Select Provider', 'select_provider' => 'Seleziona Fornitore',
'nordigen_requisition_subject' => 'Requisition expired, please reauthenticate.', 'nordigen_requisition_subject' => 'Richiesta scaduta, effettuare nuovamente l&#39;autenticazione.',
'nordigen_requisition_body' => 'Access to bank account feeds has expired as set in End User Agreement. <br><br>Please log into Invoice Ninja and re-authenticate with your banks to continue receiving transactions.', 'nordigen_requisition_body' => 'L&#39;accesso ai feed del conto bancario è scaduto come stabilito nel Contratto Utente finale.<br><br> Accedi a Fattura Ninja e autenticati nuovamente con le tue banche per continuare a ricevere transazioni.',
'participant' => 'Participant', 'participant' => 'Partecipante',
'participant_name' => 'Participant name', 'participant_name' => 'Nome del partecipante',
'client_unsubscribed' => 'Client unsubscribed from emails.', 'client_unsubscribed' => 'Cliente ha annullato l&#39;iscrizione alle e-mail.',
'client_unsubscribed_help' => 'Client :client has unsubscribed from your e-mails. The client needs to consent to receive future emails from you.', 'client_unsubscribed_help' => 'Cliente :client ha annullato l&#39;iscrizione alle tue e-mail. Il Cliente deve acconsentire a ricevere future email da te.',
'resubscribe' => 'Resubscribe', 'resubscribe' => 'Iscriviti nuovamente',
'subscribe' => 'Subscribe', 'subscribe' => 'sottoscrivi',
'subscribe_help' => 'You are currently subscribed and will continue to receive email communications.', 'subscribe_help' => 'Attualmente sei iscritto e continuerai a ricevere comunicazioni email .',
'unsubscribe_help' => 'You are currently not subscribed, and therefore, will not receive emails at this time.', 'unsubscribe_help' => 'Al momento non sei iscritto e pertanto non riceverai email in questo momento.',
'notification_purchase_order_bounced' => 'We were unable to deliver Purchase Order :invoice to :contact. <br><br> :error', 'notification_purchase_order_bounced' => 'Non siamo riusciti a consegnare l&#39;ordine d&#39;acquisto :invoice a :contact .<br><br> :error',
'notification_purchase_order_bounced_subject' => 'Unable to deliver Purchase Order :invoice', 'notification_purchase_order_bounced_subject' => 'Impossibile consegnare l&#39;ordine d&#39;acquisto :invoice',
'show_pdfhtml_on_mobile' => 'Display HTML version of entity when viewing on mobile', 'show_pdfhtml_on_mobile' => 'Visualizza la versione HTML dell&#39;entità durante la visualizzazione su dispositivo mobile',
'show_pdfhtml_on_mobile_help' => 'For improved visualization, displays a HTML version of the invoice/quote when viewing on mobile.', 'show_pdfhtml_on_mobile_help' => 'Per una migliore visualizzazione, visualizza una versione HTML della Fattura /quote durante la visualizzazione su dispositivo mobile.',
'please_select_an_invoice_or_credit' => 'Please select an invoice or credit', 'please_select_an_invoice_or_credit' => 'Seleziona una Fattura o un credito',
'mobile_version' => 'Mobile Version', 'mobile_version' => 'Versione mobile',
'venmo' => 'Venmo', 'venmo' => 'Venmo',
'my_bank' => 'MyBank', 'my_bank' => 'MyBank',
'pay_later' => 'Pay Later', 'pay_later' => 'Paga dopo',
'local_domain' => 'Local Domain', 'local_domain' => 'Dominio locale',
'verify_peer' => 'Verify Peer', 'verify_peer' => 'Verifica peer',
'nordigen_help' => 'Note: connecting an account requires a GoCardless/Nordigen API key', 'nordigen_help' => 'Nota : la connessione di un account richiede una chiave API GoCardless/Nordigen',
'ar_detailed' => 'Accounts Receivable Detailed', 'ar_detailed' => 'Contabilità clienti dettagliata',
'ar_summary' => 'Accounts Receivable Summary', 'ar_summary' => 'Riepilogo contabilità clienti',
'client_sales' => 'Client Sales', 'client_sales' => 'Vendite Cliente',
'user_sales' => 'User Sales', 'user_sales' => 'Vendite Utente',
'iframe_url' => 'iFrame URL', 'iframe_url' => 'URL dell&#39;iFrame',
'user_unsubscribed' => 'User unsubscribed from emails :link', 'user_unsubscribed' => 'Utente ha annullato l&#39;iscrizione alle email :link',
'use_available_payments' => 'Use Available Payments', 'use_available_payments' => 'Usa Pagamenti Disponibili',
'test_email_sent' => 'Successfully sent email', 'test_email_sent' => 'Con successo inviata email',
'gateway_type' => 'Gateway Type', 'gateway_type' => 'Tipo Piattaforma',
'save_template_body' => 'Would you like to save this import mapping as a template for future use?', 'save_template_body' => 'Desideri Salva questa mappatura di importazione come modello per un uso futuro?',
'save_as_template' => 'Save Template Mapping', 'save_as_template' => 'Mappatura dei modelli Salva',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'Fatture standard della fattura automatica alla data di scadenza',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'Fattura automatica alla data di invio O alla data di scadenza ( Ricorrente Fatture )',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'Applicare eventuali saldi a credito a Pagamenti prima di addebitare un metodo Pagamento',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'Utilizzare Pagamenti non applicati',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'Applicare eventuali saldi Pagamento prima di addebitare un metodo Pagamento',
'payment_terms_help' => 'Imposta la <b>scadenza fattura</b>predefinita', 'payment_terms_help' => 'Imposta la <b>scadenza fattura</b>predefinita',
'payment_type_help' => 'Imposta il <b>tipo di pagamento</b> predefinito.', 'payment_type_help' => 'Imposta il <b>tipo di pagamento</b> predefinito.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'Il numero di giorni per cui è valido il preventivo',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'La tipologia predefinita Spesa Pagamento da utilizzare',
'paylater' => 'Pay in 4', 'paylater' => 'Paga in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Fornitore Pagamento',
'select_email_provider' => 'Imposta la tua email come Utente mittente',
'purchase_order_items' => 'Articoli dell&#39;ordine di acquisto',
'csv_rows_length' => 'Nessun dato trovato in questo file CSV',
'accept_payments_online' => 'Accetta Pagamenti Online',
'all_payment_gateways' => 'Vedi tutti i gateway Pagamento',
'product_cost' => 'Prezzo del prodotto',
'enable_rappen_roudning' => 'Abilita arrotondamento Rappen',
'enable_rappen_rounding_help' => 'Arrotonda i totali al 5 più vicino',
'duration_words' => 'Durata in parole',
'upcoming_recurring_invoices' => 'Prossime Fatture Ricorrente',
'total_invoices' => 'Fatture Totale',
); );
return $lang; return $lang;

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'トークンを削除', 'delete_token' => 'トークンを削除',
'token' => 'トークン', 'token' => 'トークン',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'ゲートウェイを削除', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'ゲートウェイを編集', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'ゲートウェイを更新しました。', 'updated_gateway' => 'ゲートウェイを更新しました。',
'created_gateway' => 'ゲートウェイを追加しました。', 'created_gateway' => 'ゲートウェイを追加しました。',
'deleted_gateway' => 'ゲートウェイを削除しました。', 'deleted_gateway' => 'ゲートウェイを削除しました。',
@ -2197,6 +2197,8 @@ $lang = array(
'encryption' => 'Encryption', 'encryption' => 'Encryption',
'mailgun_domain' => 'Mailgun Domain', 'mailgun_domain' => 'Mailgun Domain',
'mailgun_private_key' => 'Mailgun Private Key', 'mailgun_private_key' => 'Mailgun Private Key',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Send test email', 'send_test_email' => 'Send test email',
'select_label' => 'Select Label', 'select_label' => 'Select Label',
'label' => 'Label', 'label' => 'Label',
@ -4847,6 +4849,7 @@ $lang = array(
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5099,6 +5102,8 @@ $lang = array(
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5253,7 +5258,17 @@ $lang = array(
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -453,9 +453,9 @@ $lang = array(
'edit_token' => 'កែសម្រួលនិមិត្តសញ្ញា', 'edit_token' => 'កែសម្រួលនិមិត្តសញ្ញា',
'delete_token' => 'លុបថូខឹន', 'delete_token' => 'លុបថូខឹន',
'token' => 'សញ្ញាសម្ងាត់', 'token' => 'សញ្ញាសម្ងាត់',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'បន្ថែមច្រកទូទាត់',
'delete_gateway' => 'លុបច្រកផ្លូវ', 'delete_gateway' => 'លុបច្រកផ្លូវបង់ប្រាក់',
'edit_gateway' => 'កែសម្រួលច្រកផ្លូវ', 'edit_gateway' => 'កែសម្រួលច្រកផ្លូវបង់ប្រាក់',
'updated_gateway' => 'បានធ្វើបច្ចុប្បន្នភាពច្រកផ្លូវដោយជោគជ័យ', 'updated_gateway' => 'បានធ្វើបច្ចុប្បន្នភាពច្រកផ្លូវដោយជោគជ័យ',
'created_gateway' => 'បានបង្កើតច្រកផ្លូវដោយជោគជ័យ', 'created_gateway' => 'បានបង្កើតច្រកផ្លូវដោយជោគជ័យ',
'deleted_gateway' => 'បានលុបច្រកចេញដោយជោគជ័យ', 'deleted_gateway' => 'បានលុបច្រកចេញដោយជោគជ័យ',
@ -499,8 +499,8 @@ $lang = array(
'auto_wrap' => 'ការរុំខ្សែដោយស្វ័យប្រវត្តិ', 'auto_wrap' => 'ការរុំខ្សែដោយស្វ័យប្រវត្តិ',
'duplicate_post' => 'ការព្រមាន៖ ទំព័រមុនត្រូវបានដាក់ជូនពីរដង។ ការដាក់ស្នើលើកទីពីរមិនត្រូវបានអើពើ។', 'duplicate_post' => 'ការព្រមាន៖ ទំព័រមុនត្រូវបានដាក់ជូនពីរដង។ ការដាក់ស្នើលើកទីពីរមិនត្រូវបានអើពើ។',
'view_documentation' => 'មើលឯកសារ', 'view_documentation' => 'មើលឯកសារ',
'app_title' => 'Free Online Invoicing', 'app_title' => 'វិក្កយបត្រតាមអ៊ីនធឺណិតឥតគិតថ្លៃ',
'app_description' => 'Invoice Ninja is a free, open-code solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.', 'app_description' => 'វិក្កយបត្រ Ninja គឺជាដំណោះស្រាយកូដបើកចំហដោយឥតគិតថ្លៃសម្រាប់អតិថិជនវិក្កយបត្រ និងវិក្កយបត្រ។ ជាមួយនឹងវិក្កយបត្រ Ninja អ្នកអាចបង្កើត និងផ្ញើវិក្កយបត្រដ៏ស្រស់ស្អាតបានយ៉ាងងាយស្រួលពីឧបករណ៍ណាមួយដែលមានសិទ្ធិចូលប្រើគេហទំព័រ។ អតិថិជនរបស់អ្នកអាចបោះពុម្ពវិក្កយបត្ររបស់អ្នក ទាញយកវាជាឯកសារ pdf និងថែមទាំងបង់ប្រាក់ឱ្យអ្នកតាមអ៊ីនធឺណិតពីក្នុងប្រព័ន្ធ។',
'rows' => 'ជួរ', 'rows' => 'ជួរ',
'www' => 'www', 'www' => 'www',
'logo' => 'និមិត្តសញ្ញា', 'logo' => 'និមិត្តសញ្ញា',
@ -686,9 +686,9 @@ $lang = array(
'disable' => 'បិទ', 'disable' => 'បិទ',
'invoice_quote_number' => 'លេខវិក្កយបត្រ និងលេខសម្រង់', 'invoice_quote_number' => 'លេខវិក្កយបត្រ និងលេខសម្រង់',
'invoice_charges' => 'វិក័យប័ត្របន្ថែម', 'invoice_charges' => 'វិក័យប័ត្របន្ថែម',
'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact. <br><br> :error', 'notification_invoice_bounced' => 'យើងមិនអាចប្រគល់វិក្កយបត្រ :invoice ទៅ :contact បានទេ។<br><br> :error',
'notification_invoice_bounced_subject' => 'មិនអាចចែកចាយវិក្កយបត្រ :invoice', 'notification_invoice_bounced_subject' => 'មិនអាចចែកចាយវិក្កយបត្រ :invoice',
'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact. <br><br> :error', 'notification_quote_bounced' => 'យើងមិនអាចចែកចាយ Quote :invoice ទៅ :contact បានទេ។<br><br> :error',
'notification_quote_bounced_subject' => 'មិនអាចចែកចាយសម្រង់ :invoice', 'notification_quote_bounced_subject' => 'មិនអាចចែកចាយសម្រង់ :invoice',
'custom_invoice_link' => 'តំណភ្ជាប់វិក្កយបត្រផ្ទាល់ខ្លួន', 'custom_invoice_link' => 'តំណភ្ជាប់វិក្កយបត្រផ្ទាល់ខ្លួន',
'total_invoiced' => 'វិក្កយបត្រសរុប', 'total_invoiced' => 'វិក្កយបត្រសរុប',
@ -2177,6 +2177,8 @@ $lang = array(
'encryption' => 'ការអ៊ិនគ្រីប', 'encryption' => 'ការអ៊ិនគ្រីប',
'mailgun_domain' => 'ដែន Mailgun', 'mailgun_domain' => 'ដែន Mailgun',
'mailgun_private_key' => 'សោឯកជន Mailgun', 'mailgun_private_key' => 'សោឯកជន Mailgun',
'brevo_domain' => 'ដែន Brevo',
'brevo_private_key' => 'សោឯកជន Brevo',
'send_test_email' => 'ផ្ញើអ៊ីមែលសាកល្បង', 'send_test_email' => 'ផ្ញើអ៊ីមែលសាកល្បង',
'select_label' => 'ជ្រើសរើសស្លាក', 'select_label' => 'ជ្រើសរើសស្លាក',
'label' => 'ស្លាក​សញ្ញា', 'label' => 'ស្លាក​សញ្ញា',
@ -2990,7 +2992,7 @@ $lang = array(
'hosted_login' => 'បង្ហោះចូល', 'hosted_login' => 'បង្ហោះចូល',
'selfhost_login' => 'ការចូលម៉ាស៊ីនខ្លួនឯង', 'selfhost_login' => 'ការចូលម៉ាស៊ីនខ្លួនឯង',
'google_login' => 'ចូល Google', 'google_login' => 'ចូល Google',
'thanks_for_patience' => 'Thank for your patience while we work to implement these features.<br><br>We hope to have them completed in the next few months.<br><br>Until then we\'ll continue to support the', 'thanks_for_patience' => 'សូមអរគុណចំពោះការអត់ធ្មត់របស់អ្នក ខណៈពេលដែលយើងធ្វើការដើម្បីអនុវត្តមុខងារទាំងនេះ។<br><br> យើង​សង្ឃឹម​ថា​នឹង​ធ្វើ​ឱ្យ​ពួក​គេ​បញ្ចប់​នៅ​ប៉ុន្មាន​ខែ​ខាង​មុខ​នេះ។<br><br> រហូតដល់ពេលនោះ យើងនឹងបន្តគាំទ្រ',
'legacy_mobile_app' => 'កម្មវិធីទូរស័ព្ទចល័តចាស់', 'legacy_mobile_app' => 'កម្មវិធីទូរស័ព្ទចល័តចាស់',
'today' => 'ថ្ងៃនេះ', 'today' => 'ថ្ងៃនេះ',
'current' => 'នា​ពេល​បច្ចុប្បន្ន', 'current' => 'នា​ពេល​បច្ចុប្បន្ន',
@ -3848,7 +3850,7 @@ $lang = array(
'cancellation_pending' => 'រង់ចាំការលុបចោល យើងនឹងទាក់ទងទៅ!', 'cancellation_pending' => 'រង់ចាំការលុបចោល យើងនឹងទាក់ទងទៅ!',
'list_of_payments' => 'បញ្ជីនៃការទូទាត់', 'list_of_payments' => 'បញ្ជីនៃការទូទាត់',
'payment_details' => 'ព័ត៌មានលម្អិតនៃការទូទាត់', 'payment_details' => 'ព័ត៌មានលម្អិតនៃការទូទាត់',
'list_of_payment_invoices' => 'Associate invoices', 'list_of_payment_invoices' => 'វិក្កយបត្ររួម',
'list_of_payment_methods' => 'បញ្ជីវិធីបង់ប្រាក់', 'list_of_payment_methods' => 'បញ្ជីវិធីបង់ប្រាក់',
'payment_method_details' => 'ព័ត៌មានលម្អិតអំពីវិធីបង់ប្រាក់', 'payment_method_details' => 'ព័ត៌មានលម្អិតអំពីវិធីបង់ប្រាក់',
'permanently_remove_payment_method' => 'លុបវិធីបង់ប្រាក់នេះចេញជាអចិន្ត្រៃយ៍។', 'permanently_remove_payment_method' => 'លុបវិធីបង់ប្រាក់នេះចេញជាអចិន្ត្រៃយ៍។',
@ -4827,6 +4829,7 @@ $lang = array(
'email_alignment' => 'ការតម្រឹមអ៊ីមែល', 'email_alignment' => 'ការតម្រឹមអ៊ីមែល',
'pdf_preview_location' => 'ទីតាំងមើលជាមុន PDF', 'pdf_preview_location' => 'ទីតាំងមើលជាមុន PDF',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'ប្រេវ៉ូ',
'postmark' => 'ប្រៃសណីយ៍', 'postmark' => 'ប្រៃសណីយ៍',
'microsoft' => 'ក្រុមហ៊ុន Microsoft', 'microsoft' => 'ក្រុមហ៊ុន Microsoft',
'click_plus_to_create_record' => 'ចុច + ដើម្បីបង្កើតកំណត់ត្រា', 'click_plus_to_create_record' => 'ចុច + ដើម្បីបង្កើតកំណត់ត្រា',
@ -4905,7 +4908,7 @@ $lang = array(
'no_assigned_tasks' => 'មិនមានកិច្ចការដែលអាចទូទាត់បានសម្រាប់គម្រោងនេះទេ។', 'no_assigned_tasks' => 'មិនមានកិច្ចការដែលអាចទូទាត់បានសម្រាប់គម្រោងនេះទេ។',
'authorization_failure' => 'ការអនុញ្ញាតមិនគ្រប់គ្រាន់ដើម្បីអនុវត្តសកម្មភាពនេះ។', 'authorization_failure' => 'ការអនុញ្ញាតមិនគ្រប់គ្រាន់ដើម្បីអនុវត្តសកម្មភាពនេះ។',
'authorization_sms_failure' => 'សូមផ្ទៀងផ្ទាត់គណនីរបស់អ្នក ដើម្បីផ្ញើអ៊ីមែល។', 'authorization_sms_failure' => 'សូមផ្ទៀងផ្ទាត់គណនីរបស់អ្នក ដើម្បីផ្ញើអ៊ីមែល។',
'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key <br><br> You can manage your license here: https://invoiceninja.invoicing.co/client/login', 'white_label_body' => 'សូមអរគុណសម្រាប់ការទិញអាជ្ញាប័ណ្ណស្លាកពណ៌ស។<br><br> លេខកូដអាជ្ញាប័ណ្ណរបស់អ្នកគឺ៖<br><br> :license_key<br><br> អ្នកអាចគ្រប់គ្រងអាជ្ញាប័ណ្ណរបស់អ្នកនៅទីនេះ៖ https://invoiceninja.invoicing.co/client/login',
'payment_type_Klarna' => 'ក្លាណា', 'payment_type_Klarna' => 'ក្លាណា',
'payment_type_Interac E Transfer' => 'ការផ្ទេរ Interac E', 'payment_type_Interac E Transfer' => 'ការផ្ទេរ Interac E',
'xinvoice_payable' => 'អាចបង់បានក្នុងរយៈពេល :payeddue ថ្ងៃសុទ្ធរហូតដល់ :paydate', 'xinvoice_payable' => 'អាចបង់បានក្នុងរយៈពេល :payeddue ថ្ងៃសុទ្ធរហូតដល់ :paydate',
@ -5070,7 +5073,7 @@ $lang = array(
'region' => 'តំបន់', 'region' => 'តំបន់',
'county' => 'ខោនធី', 'county' => 'ខោនធី',
'tax_details' => 'ព័ត៌មានលម្អិតអំពីពន្ធ', 'tax_details' => 'ព័ត៌មានលម្អិតអំពីពន្ធ',
'activity_10_online' => ':contact made payment :payment for invoice :invoice for :client', 'activity_10_online' => ':contact បានធ្វើការទូទាត់ :payment សម្រាប់វិក្កយបត្រ :invoice សម្រាប់ :client',
'activity_10_manual' => ':user បានបញ្ចូលការទូទាត់ :payment សម្រាប់វិក្កយបត្រ :invoice សម្រាប់ :client', 'activity_10_manual' => ':user បានបញ្ចូលការទូទាត់ :payment សម្រាប់វិក្កយបត្រ :invoice សម្រាប់ :client',
'default_payment_type' => 'ប្រភេទការទូទាត់លំនាំដើម', 'default_payment_type' => 'ប្រភេទការទូទាត់លំនាំដើម',
'number_precision' => 'ភាពជាក់លាក់នៃលេខ', 'number_precision' => 'ភាពជាក់លាក់នៃលេខ',
@ -5079,6 +5082,8 @@ $lang = array(
'drop_files_here' => 'ទម្លាក់ឯកសារនៅទីនេះ', 'drop_files_here' => 'ទម្លាក់ឯកសារនៅទីនេះ',
'upload_files' => 'ផ្ទុកឯកសារឡើង', 'upload_files' => 'ផ្ទុកឯកសារឡើង',
'download_e_invoice' => 'ទាញយក E-Invoice', 'download_e_invoice' => 'ទាញយក E-Invoice',
'download_e_credit' => 'ទាញយក E-Credit',
'download_e_quote' => 'ទាញយក E-Quote',
'triangular_tax_info' => 'ប្រតិបត្តិការត្រីកោណក្នុងសហគមន៍', 'triangular_tax_info' => 'ប្រតិបត្តិការត្រីកោណក្នុងសហគមន៍',
'intracommunity_tax_info' => 'ការដឹកជញ្ជូនក្នុងសហគមន៍ដោយមិនគិតពន្ធ', 'intracommunity_tax_info' => 'ការដឹកជញ្ជូនក្នុងសហគមន៍ដោយមិនគិតពន្ធ',
'reverse_tax_info' => 'សូមចំណាំថាការផ្គត់ផ្គង់នេះគឺត្រូវគិតថ្លៃបញ្ច្រាស', 'reverse_tax_info' => 'សូមចំណាំថាការផ្គត់ផ្គង់នេះគឺត្រូវគិតថ្លៃបញ្ច្រាស',
@ -5100,7 +5105,7 @@ $lang = array(
'set_private' => 'កំណត់ឯកជន', 'set_private' => 'កំណត់ឯកជន',
'individual' => 'បុគ្គល', 'individual' => 'បុគ្គល',
'business' => 'អាជីវកម្ម', 'business' => 'អាជីវកម្ម',
'partnership' => 'Partnership', 'partnership' => 'ភាពជាដៃគូ',
'trust' => 'ទុកចិត្ត', 'trust' => 'ទុកចិត្ត',
'charity' => 'សប្បុរសធម៌', 'charity' => 'សប្បុរសធម៌',
'government' => 'រដ្ឋាភិបាល', 'government' => 'រដ្ឋាភិបាល',
@ -5157,83 +5162,93 @@ $lang = array(
'charges' => 'ការចោទប្រកាន់', 'charges' => 'ការចោទប្រកាន់',
'email_report' => 'របាយការណ៍អ៊ីមែល', 'email_report' => 'របាយការណ៍អ៊ីមែល',
'payment_type_Pay Later' => 'បង់ពេលក្រោយ', 'payment_type_Pay Later' => 'បង់ពេលក្រោយ',
'payment_type_credit' => 'Payment Type Credit', 'payment_type_credit' => 'ប្រភេទនៃការទូទាត់ឥណទាន',
'payment_type_debit' => 'Payment Type Debit', 'payment_type_debit' => 'ប្រភេទការទូទាត់ឥណពន្ធ',
'send_emails_to' => 'Send Emails To', 'send_emails_to' => 'ផ្ញើអ៊ីមែលទៅ',
'primary_contact' => 'Primary Contact', 'primary_contact' => 'ទំនាក់ទំនងបឋម',
'all_contacts' => 'All Contacts', 'all_contacts' => 'ទំនាក់ទំនងទាំងអស់។',
'insert_below' => 'Insert Below', 'insert_below' => 'បញ្ចូលខាងក្រោម',
'nordigen_handler_subtitle' => 'Bank account authentication. Selecting your institution to complete the request with your account credentials.', 'nordigen_handler_subtitle' => 'ការផ្ទៀងផ្ទាត់គណនីធនាគារ។ ការជ្រើសរើសស្ថាប័នរបស់អ្នកដើម្បីបំពេញសំណើជាមួយនឹងលិខិតសម្គាល់គណនីរបស់អ្នក។',
'nordigen_handler_error_heading_unknown' => 'An error has occured', 'nordigen_handler_error_heading_unknown' => 'កំហុសមួយបានកើតឡើង',
'nordigen_handler_error_contents_unknown' => 'An unknown error has occurred! Reason:', 'nordigen_handler_error_contents_unknown' => 'កំហុសមិនស្គាល់មួយបានកើតឡើង! ហេតុផល៖',
'nordigen_handler_error_heading_token_invalid' => 'Invalid Token', 'nordigen_handler_error_heading_token_invalid' => 'សញ្ញា​សម្ងាត់​មិន​ត្រឹមត្រូវ',
'nordigen_handler_error_contents_token_invalid' => 'The provided token was invalid. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_token_invalid' => 'សញ្ញាសម្ងាត់ដែលបានផ្តល់គឺមិនត្រឹមត្រូវទេ។ ទាក់ទងផ្នែកជំនួយសម្រាប់ជំនួយ ប្រសិនបើបញ្ហានេះនៅតែបន្តកើតមាន។',
'nordigen_handler_error_heading_account_config_invalid' => 'Missing Credentials', 'nordigen_handler_error_heading_account_config_invalid' => 'បាត់លិខិតសម្គាល់',
'nordigen_handler_error_contents_account_config_invalid' => 'Invalid or missing credentials for Gocardless Bank Account Data. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_account_config_invalid' => 'លិខិតសម្គាល់មិនត្រឹមត្រូវ ឬបាត់សម្រាប់ទិន្នន័យគណនីធនាគារ Gocardless ។ ទាក់ទងផ្នែកជំនួយសម្រាប់ជំនួយ ប្រសិនបើបញ្ហានេះនៅតែបន្តកើតមាន។',
'nordigen_handler_error_heading_not_available' => 'Not Available', 'nordigen_handler_error_heading_not_available' => 'មិនអាច',
'nordigen_handler_error_contents_not_available' => 'Feature unavailable, enterprise plan only.', 'nordigen_handler_error_contents_not_available' => 'មុខងារមិនអាចប្រើបានទេ គម្រោងសហគ្រាសតែប៉ុណ្ណោះ។',
'nordigen_handler_error_heading_institution_invalid' => 'Invalid Institution', 'nordigen_handler_error_heading_institution_invalid' => 'ស្ថាប័នមិនត្រឹមត្រូវ',
'nordigen_handler_error_contents_institution_invalid' => 'The provided institution-id is invalid or no longer valid.', 'nordigen_handler_error_contents_institution_invalid' => 'លេខសម្គាល់ស្ថាប័នដែលបានផ្តល់គឺមិនត្រឹមត្រូវ ឬមិនមានសុពលភាពទៀតទេ។',
'nordigen_handler_error_heading_ref_invalid' => 'Invalid Reference', 'nordigen_handler_error_heading_ref_invalid' => 'ឯកសារយោងមិនត្រឹមត្រូវ',
'nordigen_handler_error_contents_ref_invalid' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_ref_invalid' => 'GoCardless មិនបានផ្តល់ឯកសារយោងត្រឹមត្រូវទេ។ សូមដំណើរការលំហូរម្តងទៀត ហើយទាក់ទងផ្នែកជំនួយ ប្រសិនបើបញ្ហានេះនៅតែបន្តកើតមាន។',
'nordigen_handler_error_heading_not_found' => 'Invalid Requisition', 'nordigen_handler_error_heading_not_found' => 'សំណើមិនត្រឹមត្រូវ',
'nordigen_handler_error_contents_not_found' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_not_found' => 'GoCardless មិនបានផ្តល់ឯកសារយោងត្រឹមត្រូវទេ។ សូមដំណើរការលំហូរម្តងទៀត ហើយទាក់ទងផ្នែកជំនួយ ប្រសិនបើបញ្ហានេះនៅតែបន្តកើតមាន។',
'nordigen_handler_error_heading_requisition_invalid_status' => 'Not Ready', 'nordigen_handler_error_heading_requisition_invalid_status' => 'មិនទាន់​រួចរាល់',
'nordigen_handler_error_contents_requisition_invalid_status' => 'You called this site too early. Please finish authorization and refresh this page. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'អ្នកបានហៅគេហទំព័រនេះលឿនពេក។ សូមបញ្ចប់ការអនុញ្ញាត និងធ្វើឱ្យទំព័រនេះឡើងវិញ។ ទាក់ទងផ្នែកជំនួយសម្រាប់ជំនួយ ប្រសិនបើបញ្ហានេះនៅតែបន្តកើតមាន។',
'nordigen_handler_error_heading_requisition_no_accounts' => 'No Accounts selected', 'nordigen_handler_error_heading_requisition_no_accounts' => 'មិនបានជ្រើសរើសគណនីទេ។',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'សេវា​នេះ​មិន​បាន​ត្រឡប់​គណនី​ដែល​មាន​សុពលភាព​ណា​មួយ​ទេ។ ពិចារណាចាប់ផ្តើមលំហូរឡើងវិញ។',
'nordigen_handler_restart' => 'Restart flow.', 'nordigen_handler_restart' => 'ចាប់ផ្តើមលំហូរឡើងវិញ។',
'nordigen_handler_return' => 'Return to application.', 'nordigen_handler_return' => 'ត្រឡប់ទៅកម្មវិធីវិញ។',
'lang_Lao' => 'Lao', 'lang_Lao' => 'ឡាវ',
'currency_lao_kip' => 'Lao kip', 'currency_lao_kip' => 'គីបឡាវ',
'yodlee_regions' => 'Regions: USA, UK, Australia & India', 'yodlee_regions' => 'តំបន់៖ សហរដ្ឋអាមេរិក ចក្រភពអង់គ្លេស អូស្ត្រាលី និងឥណ្ឌា',
'nordigen_regions' => 'Regions: Europe & UK', 'nordigen_regions' => 'តំបន់៖ អឺរ៉ុប និងចក្រភពអង់គ្លេស',
'select_provider' => 'Select Provider', 'select_provider' => 'ជ្រើសរើសអ្នកផ្តល់សេវា',
'nordigen_requisition_subject' => 'Requisition expired, please reauthenticate.', 'nordigen_requisition_subject' => 'សំណើផុតកំណត់ សូមបញ្ជាក់ឡើងវិញ។',
'nordigen_requisition_body' => 'Access to bank account feeds has expired as set in End User Agreement. <br><br>Please log into Invoice Ninja and re-authenticate with your banks to continue receiving transactions.', 'nordigen_requisition_body' => 'ការចូលប្រើព័ត៌មានគណនីធនាគារបានផុតកំណត់ដូចដែលបានកំណត់ក្នុងកិច្ចព្រមព្រៀងអ្នកប្រើប្រាស់ចុងក្រោយ។<br><br> សូមចូលទៅកាន់ Invoice Ninja ហើយផ្ទៀងផ្ទាត់ម្តងទៀតជាមួយធនាគាររបស់អ្នក ដើម្បីបន្តទទួលប្រតិបត្តិការ។',
'participant' => 'Participant', 'participant' => 'អ្នកចូលរួម',
'participant_name' => 'Participant name', 'participant_name' => 'ឈ្មោះអ្នកចូលរួម',
'client_unsubscribed' => 'Client unsubscribed from emails.', 'client_unsubscribed' => 'អតិថិជនបានឈប់ជាវពីអ៊ីមែល។',
'client_unsubscribed_help' => 'Client :client has unsubscribed from your e-mails. The client needs to consent to receive future emails from you.', 'client_unsubscribed_help' => 'អតិថិជន :client បានឈប់ជាវពីអ៊ីមែលរបស់អ្នក។ អតិថិជនត្រូវយល់ព្រមដើម្បីទទួលបានអ៊ីមែលនាពេលអនាគតពីអ្នក។',
'resubscribe' => 'Resubscribe', 'resubscribe' => 'ជាវឡើងវិញ',
'subscribe' => 'Subscribe', 'subscribe' => 'ជាវ',
'subscribe_help' => 'You are currently subscribed and will continue to receive email communications.', 'subscribe_help' => 'បច្ចុប្បន្ន​នេះ អ្នក​បាន​ជាវ ហើយ​នឹង​បន្ត​ទទួល​បាន​ទំនាក់ទំនង​តាម​អ៊ីមែល។',
'unsubscribe_help' => 'You are currently not subscribed, and therefore, will not receive emails at this time.', 'unsubscribe_help' => 'បច្ចុប្បន្ន​នេះ អ្នក​មិន​បាន​ជាវ​ទេ ដូច្នេះ​ហើយ​នឹង​មិន​ទទួល​បាន​អ៊ីមែល​នៅ​ពេល​នេះ​ទេ។',
'notification_purchase_order_bounced' => 'We were unable to deliver Purchase Order :invoice to :contact. <br><br> :error', 'notification_purchase_order_bounced' => 'យើងមិនអាចដឹកជញ្ជូនការបញ្ជាទិញ :invoice ទៅ :contact បានទេ។<br><br> :error',
'notification_purchase_order_bounced_subject' => 'Unable to deliver Purchase Order :invoice', 'notification_purchase_order_bounced_subject' => 'មិនអាចចែកចាយការបញ្ជាទិញ :invoice',
'show_pdfhtml_on_mobile' => 'Display HTML version of entity when viewing on mobile', 'show_pdfhtml_on_mobile' => 'បង្ហាញកំណែ HTML របស់អង្គភាព នៅពេលមើលនៅលើទូរសព្ទ',
'show_pdfhtml_on_mobile_help' => 'For improved visualization, displays a HTML version of the invoice/quote when viewing on mobile.', 'show_pdfhtml_on_mobile_help' => 'សម្រាប់ការមើលឃើញកាន់តែប្រសើរឡើង បង្ហាញកំណែ HTML នៃវិក្កយបត្រ/សម្រង់នៅពេលមើលនៅលើទូរសព្ទ។',
'please_select_an_invoice_or_credit' => 'Please select an invoice or credit', 'please_select_an_invoice_or_credit' => 'សូមជ្រើសរើសវិក្កយបត្រ ឬឥណទាន',
'mobile_version' => 'Mobile Version', 'mobile_version' => 'កំណែចល័ត',
'venmo' => 'Venmo', 'venmo' => 'Venmo',
'my_bank' => 'MyBank', 'my_bank' => 'ធនាគារ MyBank',
'pay_later' => 'Pay Later', 'pay_later' => 'បង់ពេលក្រោយ',
'local_domain' => 'Local Domain', 'local_domain' => 'ដែនក្នុងស្រុក',
'verify_peer' => 'Verify Peer', 'verify_peer' => 'ផ្ទៀងផ្ទាត់មិត្តភក្ដិ',
'nordigen_help' => 'Note: connecting an account requires a GoCardless/Nordigen API key', 'nordigen_help' => 'ចំណាំ៖ ការភ្ជាប់គណនីទាមទារសោ GoCardless/Nordigen API',
'ar_detailed' => 'Accounts Receivable Detailed', 'ar_detailed' => 'គណនីអ្នកទទួលលម្អិត',
'ar_summary' => 'Accounts Receivable Summary', 'ar_summary' => 'សង្ខេបគណនីទទួល',
'client_sales' => 'Client Sales', 'client_sales' => 'ការលក់អតិថិជន',
'user_sales' => 'User Sales', 'user_sales' => 'ការលក់អ្នកប្រើប្រាស់',
'iframe_url' => 'iFrame URL', 'iframe_url' => 'iFrame URL',
'user_unsubscribed' => 'User unsubscribed from emails :link', 'user_unsubscribed' => 'អ្នកប្រើប្រាស់បានឈប់ជាវពីអ៊ីមែល :link',
'use_available_payments' => 'Use Available Payments', 'use_available_payments' => 'ប្រើការទូទាត់ដែលមាន',
'test_email_sent' => 'Successfully sent email', 'test_email_sent' => 'បានផ្ញើអ៊ីមែលដោយជោគជ័យ',
'gateway_type' => 'Gateway Type', 'gateway_type' => 'ប្រភេទច្រកផ្លូវ',
'save_template_body' => 'Would you like to save this import mapping as a template for future use?', 'save_template_body' => 'តើ​អ្នក​ចង់​រក្សា​ទុក​ការ​នាំ​ចូល​នេះ​ជា​គំរូ​សម្រាប់​ការ​ប្រើ​ប្រាស់​នា​ពេល​អនាគត​ដែរ​ឬ​ទេ?',
'save_as_template' => 'Save Template Mapping', 'save_as_template' => 'រក្សាទុកការគូសផែនទីគំរូ',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'វិក្កយបត្រស្ដង់ដារវិក័យប័ត្រដោយស្វ័យប្រវត្តិនៅថ្ងៃផុតកំណត់',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'វិក្កយបត្រដោយស្វ័យប្រវត្តិនៅថ្ងៃផ្ញើ ឬកាលបរិច្ឆេទផុតកំណត់ (វិក្កយបត្រដែលកើតឡើង)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'អនុវត្តសមតុល្យឥណទានណាមួយចំពោះការទូទាត់ មុនពេលគិតថ្លៃវិធីបង់ប្រាក់',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'ប្រើការបង់ប្រាក់ដែលមិនបានអនុវត្ត',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'អនុវត្តសមតុល្យការទូទាត់ណាមួយ មុនពេលគិតប្រាក់តាមវិធីបង់ប្រាក់',
'payment_terms_help' => 'កំណត់ <b>កាលបរិច្ឆេទកំណត់វិក្កយបត្រ</b> លំនាំដើម', 'payment_terms_help' => 'កំណត់ <b>កាលបរិច្ឆេទកំណត់វិក្កយបត្រ</b> លំនាំដើម',
'payment_type_help' => 'កំណត់ <b>ប្រភេទការទូទាត់ដោយដៃ</b> លំនាំដើម។', 'payment_type_help' => 'កំណត់ <b>ប្រភេទការទូទាត់ដោយដៃ</b> លំនាំដើម។',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'ចំនួនថ្ងៃដែលសម្រង់មានសុពលភាព',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'ប្រភេទការទូទាត់ថ្លៃដើមដែលត្រូវប្រើ',
'paylater' => 'Pay in 4', 'paylater' => 'បង់ក្នុង 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'អ្នកផ្តល់ការទូទាត់',
'select_email_provider' => 'កំណត់អ៊ីមែលរបស់អ្នកជាអ្នកប្រើប្រាស់ផ្ញើ',
'purchase_order_items' => 'បញ្ជាទិញទំនិញ',
'csv_rows_length' => 'រកមិនឃើញទិន្នន័យនៅក្នុងឯកសារ CSV នេះទេ។',
'accept_payments_online' => 'ទទួលយកការទូទាត់តាមអ៊ីនធឺណិត',
'all_payment_gateways' => 'មើលច្រកផ្លូវទូទាត់ទាំងអស់។',
'product_cost' => 'តម្លៃផលិតផល',
'enable_rappen_roudning' => 'បើកដំណើរការ Rounding',
'enable_rappen_rounding_help' => 'បង្គត់ចំនួនសរុបទៅជិតបំផុត 5',
'duration_words' => 'រយៈពេលនៅក្នុងពាក្យ',
'upcoming_recurring_invoices' => 'វិក្កយបត្រដែលកើតឡើងដដែលៗនាពេលខាងមុខ',
'total_invoices' => 'វិក្កយបត្រសរុប',
); );
return $lang; return $lang;

View File

@ -460,9 +460,9 @@ $lang = array(
'edit_token' => 'ແກ້ໄຂ Token', 'edit_token' => 'ແກ້ໄຂ Token',
'delete_token' => 'ລຶບໂທເຄັນ', 'delete_token' => 'ລຶບໂທເຄັນ',
'token' => 'ໂທເຄັນ', 'token' => 'ໂທເຄັນ',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'ເພີ່ມຊ່ອງທາງການຈ່າຍເງິນ',
'delete_gateway' => 'ລຶບປະຕູທາງອອກ', 'delete_gateway' => 'ລຶບປະຕູການຈ່າຍເງິນ',
'edit_gateway' => 'ແກ້ໄຂປະຕູ', 'edit_gateway' => 'ແກ້ໄຂປະຕູການຈ່າຍເງິນ',
'updated_gateway' => 'ປັບປຸງປະຕູທາງສຳເລັດແລ້ວ', 'updated_gateway' => 'ປັບປຸງປະຕູທາງສຳເລັດແລ້ວ',
'created_gateway' => 'ສ້າງປະຕູທາງສຳເລັດແລ້ວ', 'created_gateway' => 'ສ້າງປະຕູທາງສຳເລັດແລ້ວ',
'deleted_gateway' => 'ລຶບປະຕູສຳເລັດແລ້ວ', 'deleted_gateway' => 'ລຶບປະຕູສຳເລັດແລ້ວ',
@ -2197,6 +2197,8 @@ $lang = array(
'encryption' => 'ການເຂົ້າລະຫັດ', 'encryption' => 'ການເຂົ້າລະຫັດ',
'mailgun_domain' => 'Mailgun Domain', 'mailgun_domain' => 'Mailgun Domain',
'mailgun_private_key' => 'ກະແຈສ່ວນຕົວຂອງ Mailgun', 'mailgun_private_key' => 'ກະແຈສ່ວນຕົວຂອງ Mailgun',
'brevo_domain' => 'ໂດເມນ Brevo',
'brevo_private_key' => 'ກະແຈສ່ວນຕົວ Brevo',
'send_test_email' => 'ສົ່ງອີເມວທົດສອບ', 'send_test_email' => 'ສົ່ງອີເມວທົດສອບ',
'select_label' => 'ເລືອກປ້າຍກຳກັບ', 'select_label' => 'ເລືອກປ້າຍກຳກັບ',
'label' => 'ປ້າຍກຳກັບ', 'label' => 'ປ້າຍກຳກັບ',
@ -4847,6 +4849,7 @@ $lang = array(
'email_alignment' => 'ການຈັດຮຽງອີເມວ', 'email_alignment' => 'ການຈັດຮຽງອີເມວ',
'pdf_preview_location' => 'ສະຖານທີ່ເບິ່ງຕົວຢ່າງ PDF', 'pdf_preview_location' => 'ສະຖານທີ່ເບິ່ງຕົວຢ່າງ PDF',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'ເບຣໂວ',
'postmark' => 'ເຄື່ອງໝາຍໄປສະນີ', 'postmark' => 'ເຄື່ອງໝາຍໄປສະນີ',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'ຄລິກ + ເພື່ອສ້າງບັນທຶກ', 'click_plus_to_create_record' => 'ຄລິກ + ເພື່ອສ້າງບັນທຶກ',
@ -5099,6 +5102,8 @@ $lang = array(
'drop_files_here' => 'ວາງໄຟລ໌ໄວ້ບ່ອນນີ້', 'drop_files_here' => 'ວາງໄຟລ໌ໄວ້ບ່ອນນີ້',
'upload_files' => 'ອັບໂຫລດໄຟລ໌', 'upload_files' => 'ອັບໂຫລດໄຟລ໌',
'download_e_invoice' => 'ດາວໂຫລດ E-Invoice', 'download_e_invoice' => 'ດາວໂຫລດ E-Invoice',
'download_e_credit' => 'ດາວໂຫລດ E-Credit',
'download_e_quote' => 'ດາວໂຫລດ E-Quote',
'triangular_tax_info' => 'ທຸລະກຳສາມຫຼ່ຽມພາຍໃນຊຸມຊົນ', 'triangular_tax_info' => 'ທຸລະກຳສາມຫຼ່ຽມພາຍໃນຊຸມຊົນ',
'intracommunity_tax_info' => 'ການຈັດສົ່ງພາຍໃນຊຸມຊົນທີ່ບໍ່ມີພາສີ', 'intracommunity_tax_info' => 'ການຈັດສົ່ງພາຍໃນຊຸມຊົນທີ່ບໍ່ມີພາສີ',
'reverse_tax_info' => 'ກະລຸນາສັງເກດວ່າການສະຫນອງນີ້ແມ່ນຂຶ້ນກັບການຄິດຄ່າປີ້ນກັບ', 'reverse_tax_info' => 'ກະລຸນາສັງເກດວ່າການສະຫນອງນີ້ແມ່ນຂຶ້ນກັບການຄິດຄ່າປີ້ນກັບ',
@ -5201,7 +5206,7 @@ $lang = array(
'nordigen_handler_error_heading_requisition_invalid_status' => 'ບໍ່ພ້ອມ', 'nordigen_handler_error_heading_requisition_invalid_status' => 'ບໍ່ພ້ອມ',
'nordigen_handler_error_contents_requisition_invalid_status' => 'ເຈົ້າເອີ້ນເວັບໄຊນີ້ໄວເກີນໄປ. ກະລຸນາສຳເລັດການອະນຸຍາດ ແລະໂຫຼດໜ້ານີ້ຄືນໃໝ່. ຕິດຕໍ່ຝ່າຍຊ່ວຍເຫຼືອເພື່ອຂໍຄວາມຊ່ວຍເຫຼືອ, ຖ້າບັນຫານີ້ຍັງຄົງຢູ່.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'ເຈົ້າເອີ້ນເວັບໄຊນີ້ໄວເກີນໄປ. ກະລຸນາສຳເລັດການອະນຸຍາດ ແລະໂຫຼດໜ້ານີ້ຄືນໃໝ່. ຕິດຕໍ່ຝ່າຍຊ່ວຍເຫຼືອເພື່ອຂໍຄວາມຊ່ວຍເຫຼືອ, ຖ້າບັນຫານີ້ຍັງຄົງຢູ່.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'ບໍ່ໄດ້ເລືອກບັນຊີໃດ', 'nordigen_handler_error_heading_requisition_no_accounts' => 'ບໍ່ໄດ້ເລືອກບັນຊີໃດ',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'ບໍລິການຍັງບໍ່ໄດ້ສົ່ງຄືນບັນຊີທີ່ຖືກຕ້ອງໃດໆ. ພິຈາລະນາເລີ່ມການໄຫຼເຂົ້າໃໝ່.',
'nordigen_handler_restart' => 'ເລີ່ມການໄຫຼເຂົ້າໃໝ່.', 'nordigen_handler_restart' => 'ເລີ່ມການໄຫຼເຂົ້າໃໝ່.',
'nordigen_handler_return' => 'ກັບຄືນໄປຫາແອັບພລິເຄຊັນ.', 'nordigen_handler_return' => 'ກັບຄືນໄປຫາແອັບພລິເຄຊັນ.',
'lang_Lao' => 'ລາວ', 'lang_Lao' => 'ລາວ',
@ -5242,18 +5247,28 @@ $lang = array(
'gateway_type' => 'ປະເພດປະຕູ', 'gateway_type' => 'ປະເພດປະຕູ',
'save_template_body' => 'ທ່ານຕ້ອງການບັນທຶກແຜນທີ່ການນໍາເຂົ້ານີ້ເປັນແມ່ແບບສໍາລັບການນໍາໃຊ້ໃນອະນາຄົດບໍ?', 'save_template_body' => 'ທ່ານຕ້ອງການບັນທຶກແຜນທີ່ການນໍາເຂົ້ານີ້ເປັນແມ່ແບບສໍາລັບການນໍາໃຊ້ໃນອະນາຄົດບໍ?',
'save_as_template' => 'ບັນທຶກການສ້າງແຜນທີ່ແມ່ແບບ', 'save_as_template' => 'ບັນທຶກການສ້າງແຜນທີ່ແມ່ແບບ',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'ໃບແຈ້ງໜີ້ມາດຕະຖານອັດຕະໂນມັດໃນວັນທີຄົບກຳນົດ',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'ໃບບິນອັດຕະໂນມັດໃນວັນທີສົ່ງ OR ວັນຄົບກໍານົດ (ໃບແຈ້ງໜີ້ທີ່ເກີດຂຶ້ນຊ້ຳໆ)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'ນຳໃຊ້ຍອດຄົງເຫຼືອສິນເຊື່ອໃດໆກັບການຈ່າຍເງິນກ່ອນການຮຽກເກັບເງິນຈາກວິທີການຈ່າຍເງິນ',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'ໃຊ້ການຈ່າຍເງິນທີ່ບໍ່ໄດ້ນຳໃຊ້',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'ນຳໃຊ້ຍອດເງິນຊຳລະກ່ອນການຮຽກເກັບເງິນຈາກວິທີຈ່າຍເງິນ',
'payment_terms_help' => 'ກຳນົດຄ່າເລີ່ມຕົ້ນ <b>ວັນທີຄົບກຳນົດໃບແຈ້ງໜີ້</b>', 'payment_terms_help' => 'ກຳນົດຄ່າເລີ່ມຕົ້ນ <b>ວັນທີຄົບກຳນົດໃບແຈ້ງໜີ້</b>',
'payment_type_help' => 'ຕັ້ງ <b>ປະເພດການຈ່າຍເງິນດ້ວຍມື</b> ເລີ່ມຕົ້ນ.', 'payment_type_help' => 'ຕັ້ງ <b>ປະເພດການຈ່າຍເງິນດ້ວຍມື</b> ເລີ່ມຕົ້ນ.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'ຈຳນວນມື້ທີ່ໃບສະເໜີລາຄາແມ່ນຖືກຕ້ອງ',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'ປະເພດການຈ່າຍເງິນຄ່າເລີ່ມຕົ້ນທີ່ຈະໃຊ້',
'paylater' => 'Pay in 4', 'paylater' => 'ຈ່າຍໃນ 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'ຜູ້ໃຫ້ບໍລິການການຈ່າຍເງິນ',
'select_email_provider' => 'ຕັ້ງອີເມວຂອງທ່ານເປັນຜູ້ໃຊ້ສົ່ງ',
'purchase_order_items' => 'ສັ່ງຊື້ສິນຄ້າ',
'csv_rows_length' => 'ບໍ່ພົບຂໍ້ມູນໃນໄຟລ໌ CSV ນີ້',
'accept_payments_online' => 'ຍອມຮັບການຊໍາລະເງິນອອນໄລນ໌',
'all_payment_gateways' => 'ເບິ່ງປະຕູການຈ່າຍເງິນທັງໝົດ',
'product_cost' => 'ຄ່າໃຊ້ຈ່າຍຜະລິດຕະພັນ',
'enable_rappen_roudning' => 'ເປີດໃຊ້ Rappen Rounding',
'enable_rappen_rounding_help' => 'ຮອບທັງໝົດໄປຫາໃກ້ທີ່ສຸດ 5',
'duration_words' => 'ໄລຍະເວລາໃນຄໍາສັບຕ່າງໆ',
'upcoming_recurring_invoices' => 'ໃບເກັບເງິນທີ່ເກີດຂື້ນທີ່ຈະມາເຖິງ',
'total_invoices' => 'ໃບແຈ້ງໜີ້ທັງໝົດ',
); );
return $lang; return $lang;

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'Delete Token', 'delete_token' => 'Delete Token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Delete Gateway', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Edit Gateway', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Successfully updated gateway', 'updated_gateway' => 'Successfully updated gateway',
'created_gateway' => 'Successfully created gateway', 'created_gateway' => 'Successfully created gateway',
'deleted_gateway' => 'Successfully deleted gateway', 'deleted_gateway' => 'Successfully deleted gateway',
@ -2197,6 +2197,8 @@ $lang = array(
'encryption' => 'Encryption', 'encryption' => 'Encryption',
'mailgun_domain' => 'Mailgun Domain', 'mailgun_domain' => 'Mailgun Domain',
'mailgun_private_key' => 'Mailgun Private Key', 'mailgun_private_key' => 'Mailgun Private Key',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Send test email', 'send_test_email' => 'Send test email',
'select_label' => 'Select Label', 'select_label' => 'Select Label',
'label' => 'Label', 'label' => 'Label',
@ -4847,6 +4849,7 @@ $lang = array(
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Spustelėkite +, kad sukurtumėte įrašą', 'click_plus_to_create_record' => 'Spustelėkite +, kad sukurtumėte įrašą',
@ -5099,6 +5102,8 @@ $lang = array(
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5253,7 +5258,17 @@ $lang = array(
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'Delete Token', 'delete_token' => 'Delete Token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Delete Gateway', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Edit Gateway', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Successfully updated gateway', 'updated_gateway' => 'Successfully updated gateway',
'created_gateway' => 'Successfully created gateway', 'created_gateway' => 'Successfully created gateway',
'deleted_gateway' => 'Successfully deleted gateway', 'deleted_gateway' => 'Successfully deleted gateway',
@ -2197,6 +2197,8 @@ $lang = array(
'encryption' => 'Encryption', 'encryption' => 'Encryption',
'mailgun_domain' => 'Mailgun Domain', 'mailgun_domain' => 'Mailgun Domain',
'mailgun_private_key' => 'Mailgun Private Key', 'mailgun_private_key' => 'Mailgun Private Key',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Send test email', 'send_test_email' => 'Send test email',
'select_label' => 'Select Label', 'select_label' => 'Select Label',
'label' => 'Label', 'label' => 'Label',
@ -4847,6 +4849,7 @@ $lang = array(
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5099,6 +5102,8 @@ $lang = array(
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5253,7 +5258,17 @@ $lang = array(
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -462,8 +462,8 @@ $lang = array(
'delete_token' => 'Избриши токен', 'delete_token' => 'Избриши токен',
'token' => 'Токен', 'token' => 'Токен',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Избриши Платен портал', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Уреди Платен портал', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Успешно ажурирање на платен портал', 'updated_gateway' => 'Успешно ажурирање на платен портал',
'created_gateway' => 'Успешно креиран платен портал', 'created_gateway' => 'Успешно креиран платен портал',
'deleted_gateway' => 'Успешно избришан платен портал', 'deleted_gateway' => 'Успешно избришан платен портал',
@ -2198,6 +2198,8 @@ $lang = array(
'encryption' => 'Енкрипција', 'encryption' => 'Енкрипција',
'mailgun_domain' => 'Mailgun домен', 'mailgun_domain' => 'Mailgun домен',
'mailgun_private_key' => 'Mailgun приватен клуч', 'mailgun_private_key' => 'Mailgun приватен клуч',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Прати тест е-пошта', 'send_test_email' => 'Прати тест е-пошта',
'select_label' => 'Избери назнака', 'select_label' => 'Избери назнака',
'label' => 'Назнака', 'label' => 'Назнака',
@ -4848,6 +4850,7 @@ $lang = array(
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5100,6 +5103,8 @@ $lang = array(
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5254,7 +5259,17 @@ $lang = array(
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'Slett Token', 'delete_token' => 'Slett Token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Slett Tilbyder', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Rediger Tilbyder', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Suksessfullt oppdatert tilbyder', 'updated_gateway' => 'Suksessfullt oppdatert tilbyder',
'created_gateway' => 'Suksessfullt opprettet tilbyder', 'created_gateway' => 'Suksessfullt opprettet tilbyder',
'deleted_gateway' => 'Suksessfullt slettet tilbyder', 'deleted_gateway' => 'Suksessfullt slettet tilbyder',
@ -2197,6 +2197,8 @@ $lang = array(
'encryption' => 'Kryptering', 'encryption' => 'Kryptering',
'mailgun_domain' => 'Mailgun Domene', 'mailgun_domain' => 'Mailgun Domene',
'mailgun_private_key' => 'Mailgun Privat Nøkkel', 'mailgun_private_key' => 'Mailgun Privat Nøkkel',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Send test-e-post', 'send_test_email' => 'Send test-e-post',
'select_label' => 'Select Label', 'select_label' => 'Select Label',
'label' => 'Label', 'label' => 'Label',
@ -4847,6 +4849,7 @@ $lang = array(
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5099,6 +5102,8 @@ $lang = array(
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5253,7 +5258,17 @@ $lang = array(
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -460,9 +460,9 @@ $lang = array(
'edit_token' => 'Wijzig token', 'edit_token' => 'Wijzig token',
'delete_token' => 'Verwijder token', 'delete_token' => 'Verwijder token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Betalingsgateway toevoegen',
'delete_gateway' => 'Gateway verwijderen', 'delete_gateway' => 'Betalingsgateway verwijderen',
'edit_gateway' => 'Wijzig gateway', 'edit_gateway' => 'Betalingsgateway bewerken',
'updated_gateway' => 'De gateway is gewijzigd', 'updated_gateway' => 'De gateway is gewijzigd',
'created_gateway' => 'De gateway is aangemaakt', 'created_gateway' => 'De gateway is aangemaakt',
'deleted_gateway' => 'De gateway is verwijderd', 'deleted_gateway' => 'De gateway is verwijderd',
@ -2194,6 +2194,8 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'encryption' => 'Encryptie', 'encryption' => 'Encryptie',
'mailgun_domain' => 'Mailgun domein', 'mailgun_domain' => 'Mailgun domein',
'mailgun_private_key' => 'Mailgun privésleutel', 'mailgun_private_key' => 'Mailgun privésleutel',
'brevo_domain' => 'Brevo-domein',
'brevo_private_key' => 'Brevo-privésleutel',
'send_test_email' => 'Verstuur test-e-mail', 'send_test_email' => 'Verstuur test-e-mail',
'select_label' => 'Selecteer label', 'select_label' => 'Selecteer label',
'label' => 'Label', 'label' => 'Label',
@ -4847,6 +4849,7 @@ Email: :email<b><br><b>',
'email_alignment' => 'E-mailuitlijning', 'email_alignment' => 'E-mailuitlijning',
'pdf_preview_location' => 'Pdf-voorbeeldlocatie', 'pdf_preview_location' => 'Pdf-voorbeeldlocatie',
'mailgun' => 'Postpistool', 'mailgun' => 'Postpistool',
'brevo' => 'Brevo',
'postmark' => 'Poststempel', 'postmark' => 'Poststempel',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Klik op + om een record te maken', 'click_plus_to_create_record' => 'Klik op + om een record te maken',
@ -5099,6 +5102,8 @@ Email: :email<b><br><b>',
'drop_files_here' => 'Zet hier bestanden neer', 'drop_files_here' => 'Zet hier bestanden neer',
'upload_files' => 'Upload bestanden', 'upload_files' => 'Upload bestanden',
'download_e_invoice' => 'E-factuur downloaden', 'download_e_invoice' => 'E-factuur downloaden',
'download_e_credit' => 'E-krediet downloaden',
'download_e_quote' => 'E-offerte downloaden',
'triangular_tax_info' => 'Intracommunautaire driehoekstransactie', 'triangular_tax_info' => 'Intracommunautaire driehoekstransactie',
'intracommunity_tax_info' => 'Belastingvrije intracommunautaire levering', 'intracommunity_tax_info' => 'Belastingvrije intracommunautaire levering',
'reverse_tax_info' => 'Houd er rekening mee dat op deze levering een verleggingsregeling van toepassing is', 'reverse_tax_info' => 'Houd er rekening mee dat op deze levering een verleggingsregeling van toepassing is',
@ -5201,7 +5206,7 @@ Email: :email<b><br><b>',
'nordigen_handler_error_heading_requisition_invalid_status' => 'Niet klaar', 'nordigen_handler_error_heading_requisition_invalid_status' => 'Niet klaar',
'nordigen_handler_error_contents_requisition_invalid_status' => 'Je hebt deze site te vroeg gebeld. Voltooi de autorisatie en vernieuw deze pagina. Neem contact op met de ondersteuning voor hulp als dit probleem zich blijft voordoen.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'Je hebt deze site te vroeg gebeld. Voltooi de autorisatie en vernieuw deze pagina. Neem contact op met de ondersteuning voor hulp als dit probleem zich blijft voordoen.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'Geen accounts geselecteerd', 'nordigen_handler_error_heading_requisition_no_accounts' => 'Geen accounts geselecteerd',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'De service heeft geen geldige accounts geretourneerd. Overweeg om de stroom opnieuw te starten.',
'nordigen_handler_restart' => 'Start de stroom opnieuw.', 'nordigen_handler_restart' => 'Start de stroom opnieuw.',
'nordigen_handler_return' => 'Terug naar applicatie.', 'nordigen_handler_return' => 'Terug naar applicatie.',
'lang_Lao' => 'Laos', 'lang_Lao' => 'Laos',
@ -5242,18 +5247,28 @@ Email: :email<b><br><b>',
'gateway_type' => 'Gatewaytype', 'gateway_type' => 'Gatewaytype',
'save_template_body' => 'Wilt u deze importtoewijzing opslaan als sjabloon voor toekomstig gebruik?', 'save_template_body' => 'Wilt u deze importtoewijzing opslaan als sjabloon voor toekomstig gebruik?',
'save_as_template' => 'Sjabloontoewijzing opslaan', 'save_as_template' => 'Sjabloontoewijzing opslaan',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'Standaardfacturen automatisch factureren op de vervaldatum',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'Automatische factuur op verzenddatum OF vervaldatum (terugkerende facturen)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'Pas eventuele creditsaldi toe op betalingen voordat u een betaalmethode in rekening brengt',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'Gebruik niet-verwerkte betalingen',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'Pas eventuele betalingssaldi toe voordat u een betaalmethode in rekening brengt',
'payment_terms_help' => 'Stel de standaard <b>factuurvervaldatum</b> in.', 'payment_terms_help' => 'Stel de standaard <b>factuurvervaldatum</b> in.',
'payment_type_help' => 'Stel de standaard <b>manuele betalingsmethode</b> in.', 'payment_type_help' => 'Stel de standaard <b>manuele betalingsmethode</b> in.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'Het aantal dagen dat de offerte geldig is',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'Het standaardtype voor onkostenbetalingen dat moet worden gebruikt',
'paylater' => 'Pay in 4', 'paylater' => 'Betaal in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Betalingsaanbieder',
'select_email_provider' => 'Stel uw e-mailadres in als de verzendende gebruiker',
'purchase_order_items' => 'Inkooporderartikelen',
'csv_rows_length' => 'Er zijn geen gegevens gevonden in dit CSV-bestand',
'accept_payments_online' => 'Accepteer betalingen online',
'all_payment_gateways' => 'Bekijk alle betalingsgateways',
'product_cost' => 'Productkosten',
'enable_rappen_roudning' => 'Rappenafronding inschakelen',
'enable_rappen_rounding_help' => 'Rondt het totaal af op de dichtstbijzijnde 5',
'duration_words' => 'Duur in woorden',
'upcoming_recurring_invoices' => 'Aankomende terugkerende facturen',
'total_invoices' => 'Totaal facturen',
); );
return $lang; return $lang;

View File

@ -459,8 +459,8 @@ Przykłady dynamicznych zmiennych:
'delete_token' => 'Usuń token', 'delete_token' => 'Usuń token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Usuń dostawcę płatności', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Edytuj dostawcę płatności', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Dostawca płatności został zaktualizowany.', 'updated_gateway' => 'Dostawca płatności został zaktualizowany.',
'created_gateway' => 'Dostawca płatności został utworzony', 'created_gateway' => 'Dostawca płatności został utworzony',
'deleted_gateway' => 'Dostawca płatności został usunięty', 'deleted_gateway' => 'Dostawca płatności został usunięty',
@ -2195,6 +2195,8 @@ Gdy przelewy zostaną zaksięgowane na Twoim koncie, wróć do tej strony i klik
'encryption' => 'Szyfrowanie', 'encryption' => 'Szyfrowanie',
'mailgun_domain' => 'Domena Mailgun', 'mailgun_domain' => 'Domena Mailgun',
'mailgun_private_key' => 'Klucz prywatny Mailgun', 'mailgun_private_key' => 'Klucz prywatny Mailgun',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Wyślij wiadomość testową', 'send_test_email' => 'Wyślij wiadomość testową',
'select_label' => 'Wybierz etykietę', 'select_label' => 'Wybierz etykietę',
'label' => 'Etykieta', 'label' => 'Etykieta',
@ -4845,6 +4847,7 @@ Gdy przelewy zostaną zaksięgowane na Twoim koncie, wróć do tej strony i klik
'email_alignment' => 'Wyrównanie treści e-maili', 'email_alignment' => 'Wyrównanie treści e-maili',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5097,6 +5100,8 @@ Gdy przelewy zostaną zaksięgowane na Twoim koncie, wróć do tej strony i klik
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5251,7 +5256,17 @@ Gdy przelewy zostaną zaksięgowane na Twoim koncie, wróć do tej strony i klik
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -460,9 +460,9 @@ $lang = array(
'edit_token' => 'Editar Token', 'edit_token' => 'Editar Token',
'delete_token' => 'Excluir Token', 'delete_token' => 'Excluir Token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Adicionar gateway de pagamento',
'delete_gateway' => 'Excluir Gateway', 'delete_gateway' => 'Excluir gateway de pagamento',
'edit_gateway' => 'Editar Gateway', 'edit_gateway' => 'Editar gateway de pagamento',
'updated_gateway' => 'Gateway atualizado com sucesso', 'updated_gateway' => 'Gateway atualizado com sucesso',
'created_gateway' => 'Gateway criado com sucesso', 'created_gateway' => 'Gateway criado com sucesso',
'deleted_gateway' => 'Gateway excluído com sucesso', 'deleted_gateway' => 'Gateway excluído com sucesso',
@ -506,8 +506,8 @@ $lang = array(
'auto_wrap' => 'Quebrar Linhas automaticamente', 'auto_wrap' => 'Quebrar Linhas automaticamente',
'duplicate_post' => 'Aviso: a pagina anterior foi submetida duas vezes. A segunda submissão foi ignorada.', 'duplicate_post' => 'Aviso: a pagina anterior foi submetida duas vezes. A segunda submissão foi ignorada.',
'view_documentation' => 'Ver Documentação', 'view_documentation' => 'Ver Documentação',
'app_title' => 'Free Online Invoicing', 'app_title' => 'Faturamento on-line gratuito',
'app_description' => 'Invoice Ninja is a free, open-code solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.', 'app_description' => 'Invoice Ninja é uma solução gratuita e de código aberto para faturamento e cobrança de clientes. Com o Invoice Ninja, você pode criar e enviar facilmente lindas faturas de qualquer dispositivo com acesso à web. Seus clientes podem imprimir suas faturas, baixá-las como arquivos PDF e até pagar online a partir do sistema.',
'rows' => 'linhas', 'rows' => 'linhas',
'www' => 'www', 'www' => 'www',
'logo' => 'Logo', 'logo' => 'Logo',
@ -693,9 +693,9 @@ $lang = array(
'disable' => 'Desabilitar', 'disable' => 'Desabilitar',
'invoice_quote_number' => 'Números de Fatura e Orçamento', 'invoice_quote_number' => 'Números de Fatura e Orçamento',
'invoice_charges' => 'Sobretaxas da Fatura', 'invoice_charges' => 'Sobretaxas da Fatura',
'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact. <br><br> :error', 'notification_invoice_bounced' => 'Não foi possível entregar a fatura :invoice para :contact .<br><br> :error',
'notification_invoice_bounced_subject' => 'Não foi possível entregar a Fatura :invoice', 'notification_invoice_bounced_subject' => 'Não foi possível entregar a Fatura :invoice',
'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact. <br><br> :error', 'notification_quote_bounced' => 'Não foi possível entregar a cotação :invoice para :contact .<br><br> :error',
'notification_quote_bounced_subject' => 'Não foi possível entregar o Orçamento :invoice', 'notification_quote_bounced_subject' => 'Não foi possível entregar o Orçamento :invoice',
'custom_invoice_link' => 'Link Personalizado da Fatura', 'custom_invoice_link' => 'Link Personalizado da Fatura',
'total_invoiced' => 'Total Faturado', 'total_invoiced' => 'Total Faturado',
@ -2194,6 +2194,8 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'encryption' => 'Encriptação', 'encryption' => 'Encriptação',
'mailgun_domain' => 'Domínio do Mailgun', 'mailgun_domain' => 'Domínio do Mailgun',
'mailgun_private_key' => 'Chave Privada do Mailgun', 'mailgun_private_key' => 'Chave Privada do Mailgun',
'brevo_domain' => 'Domínio Brevo',
'brevo_private_key' => 'Chave privada Brevo',
'send_test_email' => 'Enviar email de teste', 'send_test_email' => 'Enviar email de teste',
'select_label' => 'Selecione o Rótulo', 'select_label' => 'Selecione o Rótulo',
'label' => 'Rótulo', 'label' => 'Rótulo',
@ -3007,7 +3009,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'hosted_login' => 'Login Hospedado', 'hosted_login' => 'Login Hospedado',
'selfhost_login' => 'Login Auto-Hospedado', 'selfhost_login' => 'Login Auto-Hospedado',
'google_login' => 'Login via Google', 'google_login' => 'Login via Google',
'thanks_for_patience' => 'Thank for your patience while we work to implement these features.<br><br>We hope to have them completed in the next few months.<br><br>Until then we\'ll continue to support the', 'thanks_for_patience' => 'Agradecemos sua paciência enquanto trabalhamos para implementar esses recursos.<br><br> Esperamos tê-los concluídos nos próximos meses.<br><br> Até lá continuaremos a apoiar o',
'legacy_mobile_app' => 'App móvel legado', 'legacy_mobile_app' => 'App móvel legado',
'today' => 'Hoje', 'today' => 'Hoje',
'current' => 'Atual', 'current' => 'Atual',
@ -3865,7 +3867,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'cancellation_pending' => 'Cancelamento pendente, entraremos em contato!', 'cancellation_pending' => 'Cancelamento pendente, entraremos em contato!',
'list_of_payments' => 'Lista de pagamentos', 'list_of_payments' => 'Lista de pagamentos',
'payment_details' => 'Detalhes do pagamento', 'payment_details' => 'Detalhes do pagamento',
'list_of_payment_invoices' => 'Associate invoices', 'list_of_payment_invoices' => 'Associar faturas',
'list_of_payment_methods' => 'Lista de métodos de pagamento', 'list_of_payment_methods' => 'Lista de métodos de pagamento',
'payment_method_details' => 'Detalhes da forma de pagamento', 'payment_method_details' => 'Detalhes da forma de pagamento',
'permanently_remove_payment_method' => 'Remova permanentemente esta forma de pagamento.', 'permanently_remove_payment_method' => 'Remova permanentemente esta forma de pagamento.',
@ -4844,6 +4846,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'email_alignment' => 'Alinhamento de e-mail', 'email_alignment' => 'Alinhamento de e-mail',
'pdf_preview_location' => 'Local de visualização do PDF', 'pdf_preview_location' => 'Local de visualização do PDF',
'mailgun' => 'Arma postal', 'mailgun' => 'Arma postal',
'brevo' => 'Brevo',
'postmark' => 'Carimbo postal', 'postmark' => 'Carimbo postal',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Clique em + para criar um registro', 'click_plus_to_create_record' => 'Clique em + para criar um registro',
@ -4922,7 +4925,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'no_assigned_tasks' => 'Nenhuma tarefa faturável para este projeto', 'no_assigned_tasks' => 'Nenhuma tarefa faturável para este projeto',
'authorization_failure' => 'Permissões insuficientes para executar esta ação', 'authorization_failure' => 'Permissões insuficientes para executar esta ação',
'authorization_sms_failure' => 'Verifique sua conta para enviar e-mails.', 'authorization_sms_failure' => 'Verifique sua conta para enviar e-mails.',
'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key <br><br> You can manage your license here: https://invoiceninja.invoicing.co/client/login', 'white_label_body' => 'Obrigado por adquirir uma licença de marca branca.<br><br> Sua chave de licença é:<br><br> :license_key<br><br> Você pode gerenciar sua licença aqui: https://invoiceninja.invoicing.co/client/login',
'payment_type_Klarna' => 'Klarna', 'payment_type_Klarna' => 'Klarna',
'payment_type_Interac E Transfer' => 'Transferência Interac E', 'payment_type_Interac E Transfer' => 'Transferência Interac E',
'xinvoice_payable' => 'A pagar dentro de :payeddue dias líquidos até :paydate', 'xinvoice_payable' => 'A pagar dentro de :payeddue dias líquidos até :paydate',
@ -5087,7 +5090,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'region' => 'Região', 'region' => 'Região',
'county' => 'Condado', 'county' => 'Condado',
'tax_details' => 'Detalhes fiscais', 'tax_details' => 'Detalhes fiscais',
'activity_10_online' => ':contact made payment :payment for invoice :invoice for :client', 'activity_10_online' => ':contact fez o pagamento :payment da fatura :invoice para :client',
'activity_10_manual' => ':user inseriu o pagamento :payment para fatura :invoice para :client', 'activity_10_manual' => ':user inseriu o pagamento :payment para fatura :invoice para :client',
'default_payment_type' => 'Tipo de pagamento padrão', 'default_payment_type' => 'Tipo de pagamento padrão',
'number_precision' => 'Precisão numérica', 'number_precision' => 'Precisão numérica',
@ -5096,6 +5099,8 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'drop_files_here' => 'Solte os arquivos aqui', 'drop_files_here' => 'Solte os arquivos aqui',
'upload_files' => 'Fazer upload de arquivos', 'upload_files' => 'Fazer upload de arquivos',
'download_e_invoice' => 'Baixar fatura eletrônica', 'download_e_invoice' => 'Baixar fatura eletrônica',
'download_e_credit' => 'Baixar crédito eletrônico',
'download_e_quote' => 'Baixar E-Quote',
'triangular_tax_info' => 'Transação triangular intracomunitária', 'triangular_tax_info' => 'Transação triangular intracomunitária',
'intracommunity_tax_info' => 'Entrega intracomunitária isenta de impostos', 'intracommunity_tax_info' => 'Entrega intracomunitária isenta de impostos',
'reverse_tax_info' => 'Observe que este fornecimento está sujeito a cobrança reversa', 'reverse_tax_info' => 'Observe que este fornecimento está sujeito a cobrança reversa',
@ -5117,7 +5122,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'set_private' => 'Definir como privado', 'set_private' => 'Definir como privado',
'individual' => 'Individual', 'individual' => 'Individual',
'business' => 'Negócios', 'business' => 'Negócios',
'partnership' => 'Partnership', 'partnership' => 'Parceria',
'trust' => 'Confiar', 'trust' => 'Confiar',
'charity' => 'Caridade', 'charity' => 'Caridade',
'government' => 'Governo', 'government' => 'Governo',
@ -5174,83 +5179,93 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'charges' => 'Cobranças', 'charges' => 'Cobranças',
'email_report' => 'Relatório por e-mail', 'email_report' => 'Relatório por e-mail',
'payment_type_Pay Later' => 'Pague depois', 'payment_type_Pay Later' => 'Pague depois',
'payment_type_credit' => 'Payment Type Credit', 'payment_type_credit' => 'Crédito por tipo de pagamento',
'payment_type_debit' => 'Payment Type Debit', 'payment_type_debit' => 'Tipo de Pagamento Débito',
'send_emails_to' => 'Send Emails To', 'send_emails_to' => 'Enviar e-mails para',
'primary_contact' => 'Primary Contact', 'primary_contact' => 'Contato primário',
'all_contacts' => 'All Contacts', 'all_contacts' => 'Todos os contatos',
'insert_below' => 'Insert Below', 'insert_below' => 'Inserir abaixo',
'nordigen_handler_subtitle' => 'Bank account authentication. Selecting your institution to complete the request with your account credentials.', 'nordigen_handler_subtitle' => 'Autenticação de conta bancária. Selecionando sua instituição para concluir a solicitação com as credenciais de sua conta.',
'nordigen_handler_error_heading_unknown' => 'An error has occured', 'nordigen_handler_error_heading_unknown' => 'Ocorreu um erro',
'nordigen_handler_error_contents_unknown' => 'An unknown error has occurred! Reason:', 'nordigen_handler_error_contents_unknown' => 'Um erro desconhecido ocorreu! Razão:',
'nordigen_handler_error_heading_token_invalid' => 'Invalid Token', 'nordigen_handler_error_heading_token_invalid' => 'Token inválido',
'nordigen_handler_error_contents_token_invalid' => 'The provided token was invalid. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_token_invalid' => 'O token fornecido era inválido. Entre em contato com o suporte para obter ajuda, se o problema persistir.',
'nordigen_handler_error_heading_account_config_invalid' => 'Missing Credentials', 'nordigen_handler_error_heading_account_config_invalid' => 'Credenciais ausentes',
'nordigen_handler_error_contents_account_config_invalid' => 'Invalid or missing credentials for Gocardless Bank Account Data. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_account_config_invalid' => 'Credenciais inválidas ou ausentes para dados da conta bancária Gocardless. Entre em contato com o suporte para obter ajuda, se o problema persistir.',
'nordigen_handler_error_heading_not_available' => 'Not Available', 'nordigen_handler_error_heading_not_available' => 'Não disponível',
'nordigen_handler_error_contents_not_available' => 'Feature unavailable, enterprise plan only.', 'nordigen_handler_error_contents_not_available' => 'Recurso indisponível, apenas plano empresarial.',
'nordigen_handler_error_heading_institution_invalid' => 'Invalid Institution', 'nordigen_handler_error_heading_institution_invalid' => 'Instituição inválida',
'nordigen_handler_error_contents_institution_invalid' => 'The provided institution-id is invalid or no longer valid.', 'nordigen_handler_error_contents_institution_invalid' => 'O ID da instituição fornecido é inválido ou não é mais válido.',
'nordigen_handler_error_heading_ref_invalid' => 'Invalid Reference', 'nordigen_handler_error_heading_ref_invalid' => 'Referência inválida',
'nordigen_handler_error_contents_ref_invalid' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_ref_invalid' => 'GoCardless não forneceu uma referência válida. Execute o fluxo novamente e entre em contato com o suporte se o problema persistir.',
'nordigen_handler_error_heading_not_found' => 'Invalid Requisition', 'nordigen_handler_error_heading_not_found' => 'Requisição inválida',
'nordigen_handler_error_contents_not_found' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_not_found' => 'GoCardless não forneceu uma referência válida. Execute o fluxo novamente e entre em contato com o suporte se o problema persistir.',
'nordigen_handler_error_heading_requisition_invalid_status' => 'Not Ready', 'nordigen_handler_error_heading_requisition_invalid_status' => 'Não está pronto',
'nordigen_handler_error_contents_requisition_invalid_status' => 'You called this site too early. Please finish authorization and refresh this page. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'Você ligou para este site muito cedo. Conclua a autorização e atualize esta página. Entre em contato com o suporte para obter ajuda, se o problema persistir.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'No Accounts selected', 'nordigen_handler_error_heading_requisition_no_accounts' => 'Nenhuma conta selecionada',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'O serviço não retornou nenhuma conta válida. Considere reiniciar o fluxo.',
'nordigen_handler_restart' => 'Restart flow.', 'nordigen_handler_restart' => 'Reinicie o fluxo.',
'nordigen_handler_return' => 'Return to application.', 'nordigen_handler_return' => 'Retorne ao aplicativo.',
'lang_Lao' => 'Lao', 'lang_Lao' => 'Laos',
'currency_lao_kip' => 'Lao kip', 'currency_lao_kip' => 'kip do Laos',
'yodlee_regions' => 'Regions: USA, UK, Australia & India', 'yodlee_regions' => 'Regiões: EUA, Reino Unido, Austrália e Índia',
'nordigen_regions' => 'Regions: Europe & UK', 'nordigen_regions' => 'Regiões: Europa e Reino Unido',
'select_provider' => 'Select Provider', 'select_provider' => 'Selecione o provedor',
'nordigen_requisition_subject' => 'Requisition expired, please reauthenticate.', 'nordigen_requisition_subject' => 'A requisição expirou. Autentique novamente.',
'nordigen_requisition_body' => 'Access to bank account feeds has expired as set in End User Agreement. <br><br>Please log into Invoice Ninja and re-authenticate with your banks to continue receiving transactions.', 'nordigen_requisition_body' => 'O acesso aos feeds de contas bancárias expirou conforme definido no Contrato do usuário final.<br><br> Faça login no Invoice Ninja e autentique-se novamente com seus bancos para continuar recebendo transações.',
'participant' => 'Participant', 'participant' => 'Participante',
'participant_name' => 'Participant name', 'participant_name' => 'Nome do participante',
'client_unsubscribed' => 'Client unsubscribed from emails.', 'client_unsubscribed' => 'Cliente cancelou assinatura de e-mails.',
'client_unsubscribed_help' => 'Client :client has unsubscribed from your e-mails. The client needs to consent to receive future emails from you.', 'client_unsubscribed_help' => 'O cliente :client cancelou a assinatura de seus e-mails. O cliente precisa consentir em receber seus e-mails futuros.',
'resubscribe' => 'Resubscribe', 'resubscribe' => 'Inscrever-se novamente',
'subscribe' => 'Subscribe', 'subscribe' => 'Se inscrever',
'subscribe_help' => 'You are currently subscribed and will continue to receive email communications.', 'subscribe_help' => 'Você está inscrito no momento e continuará recebendo comunicações por e-mail.',
'unsubscribe_help' => 'You are currently not subscribed, and therefore, will not receive emails at this time.', 'unsubscribe_help' => 'Você não está inscrito no momento e, portanto, não receberá e-mails no momento.',
'notification_purchase_order_bounced' => 'We were unable to deliver Purchase Order :invoice to :contact. <br><br> :error', 'notification_purchase_order_bounced' => 'Não foi possível entregar o pedido de compra :invoice para :contact .<br><br> :error',
'notification_purchase_order_bounced_subject' => 'Unable to deliver Purchase Order :invoice', 'notification_purchase_order_bounced_subject' => 'Não foi possível entregar o pedido de compra :invoice',
'show_pdfhtml_on_mobile' => 'Display HTML version of entity when viewing on mobile', 'show_pdfhtml_on_mobile' => 'Exibir a versão HTML da entidade ao visualizar no celular',
'show_pdfhtml_on_mobile_help' => 'For improved visualization, displays a HTML version of the invoice/quote when viewing on mobile.', 'show_pdfhtml_on_mobile_help' => 'Para melhor visualização, exibe uma versão HTML da fatura/cotação ao visualizar no celular.',
'please_select_an_invoice_or_credit' => 'Please select an invoice or credit', 'please_select_an_invoice_or_credit' => 'Selecione uma fatura ou crédito',
'mobile_version' => 'Mobile Version', 'mobile_version' => 'Versão móvel',
'venmo' => 'Venmo', 'venmo' => 'Venmo',
'my_bank' => 'MyBank', 'my_bank' => 'Meu Banco',
'pay_later' => 'Pay Later', 'pay_later' => 'Pague depois',
'local_domain' => 'Local Domain', 'local_domain' => 'Domínio Local',
'verify_peer' => 'Verify Peer', 'verify_peer' => 'Verifique o par',
'nordigen_help' => 'Note: connecting an account requires a GoCardless/Nordigen API key', 'nordigen_help' => 'Nota: conectar uma conta requer uma chave API GoCardless/Nordigen',
'ar_detailed' => 'Accounts Receivable Detailed', 'ar_detailed' => 'Contas a receber detalhadas',
'ar_summary' => 'Accounts Receivable Summary', 'ar_summary' => 'Resumo de contas a receber',
'client_sales' => 'Client Sales', 'client_sales' => 'Vendas ao cliente',
'user_sales' => 'User Sales', 'user_sales' => 'Vendas de usuários',
'iframe_url' => 'iFrame URL', 'iframe_url' => 'URL do iFrame',
'user_unsubscribed' => 'User unsubscribed from emails :link', 'user_unsubscribed' => 'Usuário cancelou inscrição de e-mails :link',
'use_available_payments' => 'Use Available Payments', 'use_available_payments' => 'Use pagamentos disponíveis',
'test_email_sent' => 'Successfully sent email', 'test_email_sent' => 'E-mail enviado com sucesso',
'gateway_type' => 'Gateway Type', 'gateway_type' => 'Tipo de gateway',
'save_template_body' => 'Would you like to save this import mapping as a template for future use?', 'save_template_body' => 'Gostaria de salvar este mapeamento de importação como modelo para uso futuro?',
'save_as_template' => 'Save Template Mapping', 'save_as_template' => 'Salvar mapeamento de modelo',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'Faturamento automático de faturas padrão na data de vencimento',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'Faturamento automático na data de envio OU data de vencimento (faturas recorrentes)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'Aplicar quaisquer saldos credores aos pagamentos antes de cobrar uma forma de pagamento',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'Usar pagamentos não aplicados',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'Aplicar quaisquer saldos de pagamento antes de cobrar uma forma de pagamento',
'payment_terms_help' => 'Define a <b>data de vencimento padrão da fatura</b>', 'payment_terms_help' => 'Define a <b>data de vencimento padrão da fatura</b>',
'payment_type_help' => 'Define o <b>tipo de pagamento manual</b> padrão.', 'payment_type_help' => 'Define o <b>tipo de pagamento manual</b> padrão.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'O número de dias durante os quais a cotação é válida',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'O tipo de pagamento de despesas padrão a ser usado',
'paylater' => 'Pay in 4', 'paylater' => 'Pague em 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Provedor de pagamento',
'select_email_provider' => 'Defina seu e-mail como usuário remetente',
'purchase_order_items' => 'Itens do pedido de compra',
'csv_rows_length' => 'Nenhum dado encontrado neste arquivo CSV',
'accept_payments_online' => 'Aceite pagamentos on-line',
'all_payment_gateways' => 'Veja todos os gateways de pagamento',
'product_cost' => 'Custo do produto',
'enable_rappen_roudning' => 'Habilitar arredondamento Rappen',
'enable_rappen_rounding_help' => 'Arredonda o total para o 5 mais próximo',
'duration_words' => 'Duração em palavras',
'upcoming_recurring_invoices' => 'Próximas faturas recorrentes',
'total_invoices' => 'Total de faturas',
); );
return $lang; return $lang;

View File

@ -460,9 +460,9 @@ $lang = array(
'edit_token' => 'Editar Símbolo', 'edit_token' => 'Editar Símbolo',
'delete_token' => 'Apagar Símbolo', 'delete_token' => 'Apagar Símbolo',
'token' => 'Símbolo', 'token' => 'Símbolo',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Adicionar gateway de pagamento',
'delete_gateway' => 'Apagar Terminal', 'delete_gateway' => 'Excluir gateway de pagamento',
'edit_gateway' => 'Editar Terminal', 'edit_gateway' => 'Editar gateway de pagamento',
'updated_gateway' => 'Terminal atualizado', 'updated_gateway' => 'Terminal atualizado',
'created_gateway' => 'Terminal Criado', 'created_gateway' => 'Terminal Criado',
'deleted_gateway' => 'Terminal Apagado', 'deleted_gateway' => 'Terminal Apagado',
@ -506,8 +506,8 @@ $lang = array(
'auto_wrap' => 'Quebrar Linhas', 'auto_wrap' => 'Quebrar Linhas',
'duplicate_post' => 'Atenção: a página anterior foi enviada duas vezes. A segunda vez foi ignorada.', 'duplicate_post' => 'Atenção: a página anterior foi enviada duas vezes. A segunda vez foi ignorada.',
'view_documentation' => 'Ver Documentação', 'view_documentation' => 'Ver Documentação',
'app_title' => 'Free Online Invoicing', 'app_title' => 'Faturamento on-line gratuito',
'app_description' => 'Invoice Ninja is a free, open-code solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.', 'app_description' => 'Invoice Ninja é uma solução gratuita e de código aberto para faturamento e cobrança de clientes. Com o Invoice Ninja, você pode criar e enviar facilmente lindas faturas de qualquer dispositivo com acesso à web. Seus clientes podem imprimir suas faturas, baixá-las como arquivos PDF e até pagar online a partir do sistema.',
'rows' => 'linhas', 'rows' => 'linhas',
'www' => 'www', 'www' => 'www',
'logo' => 'Logótipo', 'logo' => 'Logótipo',
@ -693,9 +693,9 @@ $lang = array(
'disable' => 'Desativar', 'disable' => 'Desativar',
'invoice_quote_number' => 'Número das Notas de Pag. e Orçamentos', 'invoice_quote_number' => 'Número das Notas de Pag. e Orçamentos',
'invoice_charges' => 'Sobretaxas da Nota de Pagamento', 'invoice_charges' => 'Sobretaxas da Nota de Pagamento',
'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact. <br><br> :error', 'notification_invoice_bounced' => 'Não foi possível entregar a fatura :invoice para :contact .<br><br> :error',
'notification_invoice_bounced_subject' => 'A Nota de Pagamento :invoice não foi entregue', 'notification_invoice_bounced_subject' => 'A Nota de Pagamento :invoice não foi entregue',
'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact. <br><br> :error', 'notification_quote_bounced' => 'Não foi possível entregar a cotação :invoice para :contact .<br><br> :error',
'notification_quote_bounced_subject' => 'O Orçamento :invoice não foi entregue', 'notification_quote_bounced_subject' => 'O Orçamento :invoice não foi entregue',
'custom_invoice_link' => 'Ligação de Faturas Personalizado', 'custom_invoice_link' => 'Ligação de Faturas Personalizado',
'total_invoiced' => 'Total Faturado', 'total_invoiced' => 'Total Faturado',
@ -2195,6 +2195,8 @@ Quando tiver os valores dos depósitos, volte a esta página e conclua a verific
'encryption' => 'Encriptação', 'encryption' => 'Encriptação',
'mailgun_domain' => 'Domínio do Mailgun', 'mailgun_domain' => 'Domínio do Mailgun',
'mailgun_private_key' => 'Chave Privada do Mailgun', 'mailgun_private_key' => 'Chave Privada do Mailgun',
'brevo_domain' => 'Domínio Brevo',
'brevo_private_key' => 'Chave privada Brevo',
'send_test_email' => 'Enviar e-mail de teste', 'send_test_email' => 'Enviar e-mail de teste',
'select_label' => 'Selecione a Legenda', 'select_label' => 'Selecione a Legenda',
'label' => 'Legenda', 'label' => 'Legenda',
@ -3009,7 +3011,7 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem
'hosted_login' => 'Login Alojado', 'hosted_login' => 'Login Alojado',
'selfhost_login' => 'Login Servidor Pessoal', 'selfhost_login' => 'Login Servidor Pessoal',
'google_login' => 'Login via Google', 'google_login' => 'Login via Google',
'thanks_for_patience' => 'Thank for your patience while we work to implement these features.<br><br>We hope to have them completed in the next few months.<br><br>Until then we\'ll continue to support the', 'thanks_for_patience' => 'Agradecemos sua paciência enquanto trabalhamos para implementar esses recursos.<br><br> Esperamos tê-los concluídos nos próximos meses.<br><br> Até lá continuaremos a apoiar o',
'legacy_mobile_app' => 'Aplicação Móvel legacy', 'legacy_mobile_app' => 'Aplicação Móvel legacy',
'today' => 'Hoje', 'today' => 'Hoje',
'current' => 'Atual', 'current' => 'Atual',
@ -3867,7 +3869,7 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem
'cancellation_pending' => 'Cancelamento pendente, entraremos em contacto muito brevemente!', 'cancellation_pending' => 'Cancelamento pendente, entraremos em contacto muito brevemente!',
'list_of_payments' => 'Lista de pagamentos', 'list_of_payments' => 'Lista de pagamentos',
'payment_details' => 'Detalhes do pagamento', 'payment_details' => 'Detalhes do pagamento',
'list_of_payment_invoices' => 'Associate invoices', 'list_of_payment_invoices' => 'Associar faturas',
'list_of_payment_methods' => 'Lista de métodos de pagamento', 'list_of_payment_methods' => 'Lista de métodos de pagamento',
'payment_method_details' => 'Detalhes do método de pagamento', 'payment_method_details' => 'Detalhes do método de pagamento',
'permanently_remove_payment_method' => 'Eliminar permanentemente este método de pagamento.', 'permanently_remove_payment_method' => 'Eliminar permanentemente este método de pagamento.',
@ -4847,6 +4849,7 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.',
'email_alignment' => 'Alinhamento de e-mail', 'email_alignment' => 'Alinhamento de e-mail',
'pdf_preview_location' => 'Local de visualização do PDF', 'pdf_preview_location' => 'Local de visualização do PDF',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Carimbo postal', 'postmark' => 'Carimbo postal',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Clique em + para criar um registro', 'click_plus_to_create_record' => 'Clique em + para criar um registro',
@ -4925,7 +4928,7 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.',
'no_assigned_tasks' => 'Nenhuma tarefa faturável para este projeto', 'no_assigned_tasks' => 'Nenhuma tarefa faturável para este projeto',
'authorization_failure' => 'Permissões insuficientes para executar esta ação', 'authorization_failure' => 'Permissões insuficientes para executar esta ação',
'authorization_sms_failure' => 'Verifique sua conta para enviar e-mails.', 'authorization_sms_failure' => 'Verifique sua conta para enviar e-mails.',
'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key <br><br> You can manage your license here: https://invoiceninja.invoicing.co/client/login', 'white_label_body' => 'Obrigado por adquirir uma licença de marca branca.<br><br> Sua chave de licença é:<br><br> :license_key<br><br> Você pode gerenciar sua licença aqui: https://invoiceninja.invoicing.co/client/login',
'payment_type_Klarna' => 'Klarna', 'payment_type_Klarna' => 'Klarna',
'payment_type_Interac E Transfer' => 'Interac E Transfer', 'payment_type_Interac E Transfer' => 'Interac E Transfer',
'xinvoice_payable' => 'Pagável dentro de :payeddue dias líquidos até :paydate', 'xinvoice_payable' => 'Pagável dentro de :payeddue dias líquidos até :paydate',
@ -5090,7 +5093,7 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.',
'region' => 'Região', 'region' => 'Região',
'county' => 'Condado', 'county' => 'Condado',
'tax_details' => 'Detalhes fiscais', 'tax_details' => 'Detalhes fiscais',
'activity_10_online' => ':contact made payment :payment for invoice :invoice for :client', 'activity_10_online' => ':contact fez o pagamento :payment da fatura :invoice para :client',
'activity_10_manual' => ':user inseriu o pagamento :payment para fatura :invoice para :client', 'activity_10_manual' => ':user inseriu o pagamento :payment para fatura :invoice para :client',
'default_payment_type' => 'Tipo de pagamento padrão', 'default_payment_type' => 'Tipo de pagamento padrão',
'number_precision' => 'Precisão numérica', 'number_precision' => 'Precisão numérica',
@ -5099,6 +5102,8 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.',
'drop_files_here' => 'Solte os arquivos aqui', 'drop_files_here' => 'Solte os arquivos aqui',
'upload_files' => 'Fazer upload de arquivos', 'upload_files' => 'Fazer upload de arquivos',
'download_e_invoice' => 'Baixar fatura eletrônica', 'download_e_invoice' => 'Baixar fatura eletrônica',
'download_e_credit' => 'Baixar crédito eletrônico',
'download_e_quote' => 'Baixar E-Quote',
'triangular_tax_info' => 'Transação triangular intracomunitária', 'triangular_tax_info' => 'Transação triangular intracomunitária',
'intracommunity_tax_info' => 'Entrega intracomunitária isenta de impostos', 'intracommunity_tax_info' => 'Entrega intracomunitária isenta de impostos',
'reverse_tax_info' => 'Observe que este fornecimento está sujeito a cobrança reversa', 'reverse_tax_info' => 'Observe que este fornecimento está sujeito a cobrança reversa',
@ -5120,7 +5125,7 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.',
'set_private' => 'Definir como privado', 'set_private' => 'Definir como privado',
'individual' => 'Individual', 'individual' => 'Individual',
'business' => 'Negócios', 'business' => 'Negócios',
'partnership' => 'Partnership', 'partnership' => 'Parceria',
'trust' => 'Confiar', 'trust' => 'Confiar',
'charity' => 'Caridade', 'charity' => 'Caridade',
'government' => 'Governo', 'government' => 'Governo',
@ -5177,83 +5182,93 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.',
'charges' => 'Cobranças', 'charges' => 'Cobranças',
'email_report' => 'Relatório por e-mail', 'email_report' => 'Relatório por e-mail',
'payment_type_Pay Later' => 'Pague depois', 'payment_type_Pay Later' => 'Pague depois',
'payment_type_credit' => 'Payment Type Credit', 'payment_type_credit' => 'Crédito por tipo de pagamento',
'payment_type_debit' => 'Payment Type Debit', 'payment_type_debit' => 'Tipo de Pagamento Débito',
'send_emails_to' => 'Send Emails To', 'send_emails_to' => 'Enviar e-mails para',
'primary_contact' => 'Primary Contact', 'primary_contact' => 'Contato primário',
'all_contacts' => 'All Contacts', 'all_contacts' => 'Todos os contatos',
'insert_below' => 'Insert Below', 'insert_below' => 'Inserir abaixo',
'nordigen_handler_subtitle' => 'Bank account authentication. Selecting your institution to complete the request with your account credentials.', 'nordigen_handler_subtitle' => 'Autenticação de conta bancária. Selecionando sua instituição para concluir a solicitação com as credenciais de sua conta.',
'nordigen_handler_error_heading_unknown' => 'An error has occured', 'nordigen_handler_error_heading_unknown' => 'Ocorreu um erro',
'nordigen_handler_error_contents_unknown' => 'An unknown error has occurred! Reason:', 'nordigen_handler_error_contents_unknown' => 'Um erro desconhecido ocorreu! Razão:',
'nordigen_handler_error_heading_token_invalid' => 'Invalid Token', 'nordigen_handler_error_heading_token_invalid' => 'Token inválido',
'nordigen_handler_error_contents_token_invalid' => 'The provided token was invalid. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_token_invalid' => 'O token fornecido era inválido. Entre em contato com o suporte para obter ajuda, se o problema persistir.',
'nordigen_handler_error_heading_account_config_invalid' => 'Missing Credentials', 'nordigen_handler_error_heading_account_config_invalid' => 'Credenciais ausentes',
'nordigen_handler_error_contents_account_config_invalid' => 'Invalid or missing credentials for Gocardless Bank Account Data. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_account_config_invalid' => 'Credenciais inválidas ou ausentes para dados da conta bancária Gocardless. Entre em contato com o suporte para obter ajuda, se o problema persistir.',
'nordigen_handler_error_heading_not_available' => 'Not Available', 'nordigen_handler_error_heading_not_available' => 'Não disponível',
'nordigen_handler_error_contents_not_available' => 'Feature unavailable, enterprise plan only.', 'nordigen_handler_error_contents_not_available' => 'Recurso indisponível, apenas plano empresarial.',
'nordigen_handler_error_heading_institution_invalid' => 'Invalid Institution', 'nordigen_handler_error_heading_institution_invalid' => 'Instituição inválida',
'nordigen_handler_error_contents_institution_invalid' => 'The provided institution-id is invalid or no longer valid.', 'nordigen_handler_error_contents_institution_invalid' => 'O ID da instituição fornecido é inválido ou não é mais válido.',
'nordigen_handler_error_heading_ref_invalid' => 'Invalid Reference', 'nordigen_handler_error_heading_ref_invalid' => 'Referência inválida',
'nordigen_handler_error_contents_ref_invalid' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_ref_invalid' => 'GoCardless não forneceu uma referência válida. Execute o fluxo novamente e entre em contato com o suporte se o problema persistir.',
'nordigen_handler_error_heading_not_found' => 'Invalid Requisition', 'nordigen_handler_error_heading_not_found' => 'Requisição inválida',
'nordigen_handler_error_contents_not_found' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_not_found' => 'GoCardless não forneceu uma referência válida. Execute o fluxo novamente e entre em contato com o suporte se o problema persistir.',
'nordigen_handler_error_heading_requisition_invalid_status' => 'Not Ready', 'nordigen_handler_error_heading_requisition_invalid_status' => 'Não está pronto',
'nordigen_handler_error_contents_requisition_invalid_status' => 'You called this site too early. Please finish authorization and refresh this page. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'Você ligou para este site muito cedo. Conclua a autorização e atualize esta página. Entre em contato com o suporte para obter ajuda, se o problema persistir.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'No Accounts selected', 'nordigen_handler_error_heading_requisition_no_accounts' => 'Nenhuma conta selecionada',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'O serviço não retornou nenhuma conta válida. Considere reiniciar o fluxo.',
'nordigen_handler_restart' => 'Restart flow.', 'nordigen_handler_restart' => 'Reinicie o fluxo.',
'nordigen_handler_return' => 'Return to application.', 'nordigen_handler_return' => 'Retorne ao aplicativo.',
'lang_Lao' => 'Lao', 'lang_Lao' => 'Laos',
'currency_lao_kip' => 'Lao kip', 'currency_lao_kip' => 'kip do Laos',
'yodlee_regions' => 'Regions: USA, UK, Australia & India', 'yodlee_regions' => 'Regiões: EUA, Reino Unido, Austrália e Índia',
'nordigen_regions' => 'Regions: Europe & UK', 'nordigen_regions' => 'Regiões: Europa e Reino Unido',
'select_provider' => 'Select Provider', 'select_provider' => 'Selecione o provedor',
'nordigen_requisition_subject' => 'Requisition expired, please reauthenticate.', 'nordigen_requisition_subject' => 'A requisição expirou. Autentique novamente.',
'nordigen_requisition_body' => 'Access to bank account feeds has expired as set in End User Agreement. <br><br>Please log into Invoice Ninja and re-authenticate with your banks to continue receiving transactions.', 'nordigen_requisition_body' => 'O acesso aos feeds de contas bancárias expirou conforme definido no Contrato do usuário final.<br><br> Faça login no Invoice Ninja e autentique-se novamente com seus bancos para continuar recebendo transações.',
'participant' => 'Participant', 'participant' => 'Participante',
'participant_name' => 'Participant name', 'participant_name' => 'Nome do participante',
'client_unsubscribed' => 'Client unsubscribed from emails.', 'client_unsubscribed' => 'Cliente cancelou assinatura de e-mails.',
'client_unsubscribed_help' => 'Client :client has unsubscribed from your e-mails. The client needs to consent to receive future emails from you.', 'client_unsubscribed_help' => 'O cliente :client cancelou a assinatura de seus e-mails. O cliente precisa consentir em receber seus e-mails futuros.',
'resubscribe' => 'Resubscribe', 'resubscribe' => 'Inscrever-se novamente',
'subscribe' => 'Subscribe', 'subscribe' => 'Se inscrever',
'subscribe_help' => 'You are currently subscribed and will continue to receive email communications.', 'subscribe_help' => 'Você está inscrito no momento e continuará recebendo comunicações por e-mail.',
'unsubscribe_help' => 'You are currently not subscribed, and therefore, will not receive emails at this time.', 'unsubscribe_help' => 'Você não está inscrito no momento e, portanto, não receberá e-mails no momento.',
'notification_purchase_order_bounced' => 'We were unable to deliver Purchase Order :invoice to :contact. <br><br> :error', 'notification_purchase_order_bounced' => 'Não foi possível entregar o pedido de compra :invoice para :contact .<br><br> :error',
'notification_purchase_order_bounced_subject' => 'Unable to deliver Purchase Order :invoice', 'notification_purchase_order_bounced_subject' => 'Não foi possível entregar o pedido de compra :invoice',
'show_pdfhtml_on_mobile' => 'Display HTML version of entity when viewing on mobile', 'show_pdfhtml_on_mobile' => 'Exibir a versão HTML da entidade ao visualizar no celular',
'show_pdfhtml_on_mobile_help' => 'For improved visualization, displays a HTML version of the invoice/quote when viewing on mobile.', 'show_pdfhtml_on_mobile_help' => 'Para melhor visualização, exibe uma versão HTML da fatura/cotação ao visualizar no celular.',
'please_select_an_invoice_or_credit' => 'Please select an invoice or credit', 'please_select_an_invoice_or_credit' => 'Selecione uma fatura ou crédito',
'mobile_version' => 'Mobile Version', 'mobile_version' => 'Versão móvel',
'venmo' => 'Venmo', 'venmo' => 'Venmo',
'my_bank' => 'MyBank', 'my_bank' => 'Meu Banco',
'pay_later' => 'Pay Later', 'pay_later' => 'Pague depois',
'local_domain' => 'Local Domain', 'local_domain' => 'Domínio local',
'verify_peer' => 'Verify Peer', 'verify_peer' => 'Verifique o par',
'nordigen_help' => 'Note: connecting an account requires a GoCardless/Nordigen API key', 'nordigen_help' => 'Nota: conectar uma conta requer uma chave API GoCardless/Nordigen',
'ar_detailed' => 'Accounts Receivable Detailed', 'ar_detailed' => 'Contas a receber detalhadas',
'ar_summary' => 'Accounts Receivable Summary', 'ar_summary' => 'Resumo de contas a receber',
'client_sales' => 'Client Sales', 'client_sales' => 'Vendas ao cliente',
'user_sales' => 'User Sales', 'user_sales' => 'Vendas de usuários',
'iframe_url' => 'iFrame URL', 'iframe_url' => 'URL do iFrame',
'user_unsubscribed' => 'User unsubscribed from emails :link', 'user_unsubscribed' => 'Usuário cancelou inscrição de e-mails :link',
'use_available_payments' => 'Use Available Payments', 'use_available_payments' => 'Use pagamentos disponíveis',
'test_email_sent' => 'Successfully sent email', 'test_email_sent' => 'E-mail enviado com sucesso',
'gateway_type' => 'Gateway Type', 'gateway_type' => 'Tipo de gateway',
'save_template_body' => 'Would you like to save this import mapping as a template for future use?', 'save_template_body' => 'Gostaria de salvar este mapeamento de importação como modelo para uso futuro?',
'save_as_template' => 'Save Template Mapping', 'save_as_template' => 'Salvar mapeamento de modelo',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'Faturamento automático de faturas padrão na data de vencimento',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'Faturamento automático na data de envio OU data de vencimento (faturas recorrentes)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'Aplicar quaisquer saldos credores aos pagamentos antes de cobrar uma forma de pagamento',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'Usar pagamentos não aplicados',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'Aplicar quaisquer saldos de pagamento antes de cobrar uma forma de pagamento',
'payment_terms_help' => 'Definir <b> data de vencimento padrão </b>', 'payment_terms_help' => 'Definir <b> data de vencimento padrão </b>',
'payment_type_help' => 'Definir como padrão <b>Tipo de pagamento manual</b>.', 'payment_type_help' => 'Definir como padrão <b>Tipo de pagamento manual</b>.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'O número de dias durante os quais a cotação é válida',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'O tipo de pagamento de despesas padrão a ser usado',
'paylater' => 'Pay in 4', 'paylater' => 'Pague em 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Provedor de pagamento',
'select_email_provider' => 'Defina seu e-mail como usuário remetente',
'purchase_order_items' => 'Itens do pedido de compra',
'csv_rows_length' => 'Nenhum dado encontrado neste arquivo CSV',
'accept_payments_online' => 'Aceite pagamentos on-line',
'all_payment_gateways' => 'Veja todos os gateways de pagamento',
'product_cost' => 'Custo do produto',
'enable_rappen_roudning' => 'Habilitar arredondamento Rappen',
'enable_rappen_rounding_help' => 'Arredonda o total para o 5 mais próximo',
'duration_words' => 'Duração em palavras',
'upcoming_recurring_invoices' => 'Próximas faturas recorrentes',
'total_invoices' => 'Total de faturas',
); );
return $lang; return $lang;

File diff suppressed because it is too large Load Diff

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'Удалить права', 'delete_token' => 'Удалить права',
'token' => 'Права', 'token' => 'Права',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Удалить платежный шлюз', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Изменить платёжный шлюз', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Платёжный шлюз успешно обновлён', 'updated_gateway' => 'Платёжный шлюз успешно обновлён',
'created_gateway' => 'Платёжный шлюз успешно создан', 'created_gateway' => 'Платёжный шлюз успешно создан',
'deleted_gateway' => 'Платёжный шлюз успешно удалён', 'deleted_gateway' => 'Платёжный шлюз успешно удалён',
@ -2198,6 +2198,8 @@ $lang = array(
'encryption' => 'Шифрование', 'encryption' => 'Шифрование',
'mailgun_domain' => 'Домен рассылки', 'mailgun_domain' => 'Домен рассылки',
'mailgun_private_key' => 'Ключ почтовой рассылки', 'mailgun_private_key' => 'Ключ почтовой рассылки',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Отправить тестовое сообщение', 'send_test_email' => 'Отправить тестовое сообщение',
'select_label' => 'Выбрать ярлык', 'select_label' => 'Выбрать ярлык',
'label' => 'Label', 'label' => 'Label',
@ -4848,6 +4850,7 @@ $lang = array(
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5100,6 +5103,8 @@ $lang = array(
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5254,7 +5259,17 @@ $lang = array(
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -460,9 +460,9 @@ $lang = array(
'edit_token' => 'Upraviť token', 'edit_token' => 'Upraviť token',
'delete_token' => 'Zmazať token', 'delete_token' => 'Zmazať token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Pridať platobnú bránu',
'delete_gateway' => 'Odstrániť bránu', 'delete_gateway' => 'Odstrániť platobnú bránu',
'edit_gateway' => 'Upraviť bránu', 'edit_gateway' => 'Upraviť platobnú bránu',
'updated_gateway' => 'Brána úspešne upravená', 'updated_gateway' => 'Brána úspešne upravená',
'created_gateway' => 'Brána úspešne vytvorená', 'created_gateway' => 'Brána úspešne vytvorená',
'deleted_gateway' => 'Brána úspešne odstránená', 'deleted_gateway' => 'Brána úspešne odstránená',
@ -506,8 +506,8 @@ $lang = array(
'auto_wrap' => 'Automatické zalamovanie riadkov', 'auto_wrap' => 'Automatické zalamovanie riadkov',
'duplicate_post' => 'Upozornenie: predchádzajúca stránka bola potvrdená dva krát. Druhé potvrdenie je ignorované.', 'duplicate_post' => 'Upozornenie: predchádzajúca stránka bola potvrdená dva krát. Druhé potvrdenie je ignorované.',
'view_documentation' => 'Zobraziť dokumentáciu', 'view_documentation' => 'Zobraziť dokumentáciu',
'app_title' => 'Free Online Invoicing', 'app_title' => 'Bezplatná online fakturácia',
'app_description' => 'Invoice Ninja is a free, open-code solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.', 'app_description' => 'Invoice Ninja je bezplatné riešenie s otvoreným kódom pre zákazníkov na fakturáciu a fakturáciu. S Invoice Ninja môžete jednoducho vytvárať a odosielať krásne faktúry z akéhokoľvek zariadenia, ktoré má prístup na web. Vaši klienti si môžu vytlačiť vaše faktúry, stiahnuť si ich ako súbory PDF a dokonca vám môžu zaplatiť online zo systému.',
'rows' => 'riadky', 'rows' => 'riadky',
'www' => 'www', 'www' => 'www',
'logo' => 'Logo', 'logo' => 'Logo',
@ -693,9 +693,9 @@ $lang = array(
'disable' => 'Vypnúť', 'disable' => 'Vypnúť',
'invoice_quote_number' => 'Čísla faktúr a ponúk', 'invoice_quote_number' => 'Čísla faktúr a ponúk',
'invoice_charges' => 'Fakturačné príplatky', 'invoice_charges' => 'Fakturačné príplatky',
'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact. <br><br> :error', 'notification_invoice_bounced' => 'Nepodarilo sa nám doručiť faktúru :invoice na adresu :contact .<br><br> :error',
'notification_invoice_bounced_subject' => 'Nieje možné doručiť faktúru :invoice', 'notification_invoice_bounced_subject' => 'Nieje možné doručiť faktúru :invoice',
'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact. <br><br> :error', 'notification_quote_bounced' => 'Nepodarilo sa nám doručiť cenovú ponuku :invoice na adresu :contact .<br><br> :error',
'notification_quote_bounced_subject' => 'Nieje možné doručiť ponuku :invoice', 'notification_quote_bounced_subject' => 'Nieje možné doručiť ponuku :invoice',
'custom_invoice_link' => 'Vlastný odkaz k faktúre', 'custom_invoice_link' => 'Vlastný odkaz k faktúre',
'total_invoiced' => 'Faktúrované celkom', 'total_invoiced' => 'Faktúrované celkom',
@ -2184,6 +2184,8 @@ $lang = array(
'encryption' => 'Šifrovanie', 'encryption' => 'Šifrovanie',
'mailgun_domain' => 'Doména Mailgun', 'mailgun_domain' => 'Doména Mailgun',
'mailgun_private_key' => 'Privátny kľúč Mailgun', 'mailgun_private_key' => 'Privátny kľúč Mailgun',
'brevo_domain' => 'Doména Brevo',
'brevo_private_key' => 'Súkromný kľúč Brevo',
'send_test_email' => 'Odoslať skúšobný email', 'send_test_email' => 'Odoslať skúšobný email',
'select_label' => 'Vybrať štítok', 'select_label' => 'Vybrať štítok',
'label' => 'Štítok', 'label' => 'Štítok',
@ -2997,7 +2999,7 @@ $lang = array(
'hosted_login' => 'Hostiteľské prihlásenie', 'hosted_login' => 'Hostiteľské prihlásenie',
'selfhost_login' => 'Vlastné prihlásenie', 'selfhost_login' => 'Vlastné prihlásenie',
'google_login' => 'Google prihlásenie', 'google_login' => 'Google prihlásenie',
'thanks_for_patience' => 'Thank for your patience while we work to implement these features.<br><br>We hope to have them completed in the next few months.<br><br>Until then we\'ll continue to support the', 'thanks_for_patience' => 'Ďakujeme vám za trpezlivosť, kým pracujeme na implementácii týchto funkcií.<br><br> Dúfame, že ich zrealizujeme v najbližších mesiacoch.<br><br> Dovtedy budeme pokračovať v podpore',
'legacy_mobile_app' => 'staršia mobilná aplikácia', 'legacy_mobile_app' => 'staršia mobilná aplikácia',
'today' => 'Dnes', 'today' => 'Dnes',
'current' => 'Aktuálny', 'current' => 'Aktuálny',
@ -3855,7 +3857,7 @@ $lang = array(
'cancellation_pending' => 'Čaká sa na zrušenie, budeme vás kontaktovať!', 'cancellation_pending' => 'Čaká sa na zrušenie, budeme vás kontaktovať!',
'list_of_payments' => 'Zoznam platieb', 'list_of_payments' => 'Zoznam platieb',
'payment_details' => 'Podrobnosti o platbe', 'payment_details' => 'Podrobnosti o platbe',
'list_of_payment_invoices' => 'Associate invoices', 'list_of_payment_invoices' => 'Pridružené faktúry',
'list_of_payment_methods' => 'Zoznam spôsobov platby', 'list_of_payment_methods' => 'Zoznam spôsobov platby',
'payment_method_details' => 'Podrobnosti o spôsobe platby', 'payment_method_details' => 'Podrobnosti o spôsobe platby',
'permanently_remove_payment_method' => 'Natrvalo odstrániť tento spôsob platby.', 'permanently_remove_payment_method' => 'Natrvalo odstrániť tento spôsob platby.',
@ -4834,6 +4836,7 @@ $lang = array(
'email_alignment' => 'Zarovnanie e-mailov', 'email_alignment' => 'Zarovnanie e-mailov',
'pdf_preview_location' => 'Umiestnenie náhľadu PDF', 'pdf_preview_location' => 'Umiestnenie náhľadu PDF',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Poštová pečiatka', 'postmark' => 'Poštová pečiatka',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Kliknutím na + vytvoríte záznam', 'click_plus_to_create_record' => 'Kliknutím na + vytvoríte záznam',
@ -4912,7 +4915,7 @@ $lang = array(
'no_assigned_tasks' => 'Žiadne fakturovateľné úlohy pre tento projekt', 'no_assigned_tasks' => 'Žiadne fakturovateľné úlohy pre tento projekt',
'authorization_failure' => 'Nedostatočné povolenia na vykonanie tejto akcie', 'authorization_failure' => 'Nedostatočné povolenia na vykonanie tejto akcie',
'authorization_sms_failure' => 'Ak chcete odosielať e-maily, overte svoj účet.', 'authorization_sms_failure' => 'Ak chcete odosielať e-maily, overte svoj účet.',
'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key <br><br> You can manage your license here: https://invoiceninja.invoicing.co/client/login', 'white_label_body' => 'Ďakujeme, že ste si zakúpili licenciu s bielym štítkom.<br><br> Váš licenčný kľúč je:<br><br> :license_key<br><br> Svoju licenciu môžete spravovať tu: https://invoiceninja.invoicing.co/client/login',
'payment_type_Klarna' => 'Klarna', 'payment_type_Klarna' => 'Klarna',
'payment_type_Interac E Transfer' => 'Interac E Transfer', 'payment_type_Interac E Transfer' => 'Interac E Transfer',
'xinvoice_payable' => 'Splatné do :payeddue dní netto do :paydate', 'xinvoice_payable' => 'Splatné do :payeddue dní netto do :paydate',
@ -5077,7 +5080,7 @@ $lang = array(
'region' => 'región', 'region' => 'región',
'county' => 'County', 'county' => 'County',
'tax_details' => 'Daňové podrobnosti', 'tax_details' => 'Daňové podrobnosti',
'activity_10_online' => ':contact made payment :payment for invoice :invoice for :client', 'activity_10_online' => ':contact uskutočnená platba :payment za faktúru :invoice za :client',
'activity_10_manual' => ':user zadaná platba :payment pre faktúru :invoice pre :client', 'activity_10_manual' => ':user zadaná platba :payment pre faktúru :invoice pre :client',
'default_payment_type' => 'Predvolený typ platby', 'default_payment_type' => 'Predvolený typ platby',
'number_precision' => 'Presnosť čísel', 'number_precision' => 'Presnosť čísel',
@ -5086,6 +5089,8 @@ $lang = array(
'drop_files_here' => 'Sem presuňte súbory', 'drop_files_here' => 'Sem presuňte súbory',
'upload_files' => 'Nahrať súbory', 'upload_files' => 'Nahrať súbory',
'download_e_invoice' => 'Stiahnite si elektronickú faktúru', 'download_e_invoice' => 'Stiahnite si elektronickú faktúru',
'download_e_credit' => 'Stiahnite si E-Credit',
'download_e_quote' => 'Stiahnite si elektronickú ponuku',
'triangular_tax_info' => 'Trojstranná transakcia v rámci Spoločenstva', 'triangular_tax_info' => 'Trojstranná transakcia v rámci Spoločenstva',
'intracommunity_tax_info' => 'Dodanie v rámci Spoločenstva oslobodené od dane', 'intracommunity_tax_info' => 'Dodanie v rámci Spoločenstva oslobodené od dane',
'reverse_tax_info' => 'Upozorňujeme, že táto dodávka podlieha preneseniu daňovej povinnosti', 'reverse_tax_info' => 'Upozorňujeme, že táto dodávka podlieha preneseniu daňovej povinnosti',
@ -5107,7 +5112,7 @@ $lang = array(
'set_private' => 'Nastaviť ako súkromné', 'set_private' => 'Nastaviť ako súkromné',
'individual' => 'Individuálne', 'individual' => 'Individuálne',
'business' => 'Podnikanie', 'business' => 'Podnikanie',
'partnership' => 'Partnership', 'partnership' => 'partnerstvo',
'trust' => 'Dôvera', 'trust' => 'Dôvera',
'charity' => 'Dobročinnosť', 'charity' => 'Dobročinnosť',
'government' => 'vláda', 'government' => 'vláda',
@ -5164,83 +5169,93 @@ $lang = array(
'charges' => 'Poplatky', 'charges' => 'Poplatky',
'email_report' => 'E-mailová správa', 'email_report' => 'E-mailová správa',
'payment_type_Pay Later' => 'Zaplatiť neskôr', 'payment_type_Pay Later' => 'Zaplatiť neskôr',
'payment_type_credit' => 'Payment Type Credit', 'payment_type_credit' => 'Typ platby Kredit',
'payment_type_debit' => 'Payment Type Debit', 'payment_type_debit' => 'Typ platby Debet',
'send_emails_to' => 'Send Emails To', 'send_emails_to' => 'Odoslať e-maily na',
'primary_contact' => 'Primary Contact', 'primary_contact' => 'Primárny kontakt',
'all_contacts' => 'All Contacts', 'all_contacts' => 'Všetky kontakty',
'insert_below' => 'Insert Below', 'insert_below' => 'Vložiť nižšie',
'nordigen_handler_subtitle' => 'Bank account authentication. Selecting your institution to complete the request with your account credentials.', 'nordigen_handler_subtitle' => 'Overenie bankového účtu. Výberom vašej inštitúcie na dokončenie žiadosti pomocou poverení účtu.',
'nordigen_handler_error_heading_unknown' => 'An error has occured', 'nordigen_handler_error_heading_unknown' => 'Objavila sa chyba',
'nordigen_handler_error_contents_unknown' => 'An unknown error has occurred! Reason:', 'nordigen_handler_error_contents_unknown' => 'Vyskytla sa neznáma chyba! Dôvod:',
'nordigen_handler_error_heading_token_invalid' => 'Invalid Token', 'nordigen_handler_error_heading_token_invalid' => 'Neplatný Token',
'nordigen_handler_error_contents_token_invalid' => 'The provided token was invalid. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_token_invalid' => 'Poskytnutý token bol neplatný. Ak tento problém pretrváva, požiadajte o pomoc podporu.',
'nordigen_handler_error_heading_account_config_invalid' => 'Missing Credentials', 'nordigen_handler_error_heading_account_config_invalid' => 'Chýbajúce poverenia',
'nordigen_handler_error_contents_account_config_invalid' => 'Invalid or missing credentials for Gocardless Bank Account Data. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_account_config_invalid' => 'Neplatné alebo chýbajúce poverenia pre údaje o bankovom účte Gocardless. Ak tento problém pretrváva, požiadajte o pomoc podporu.',
'nordigen_handler_error_heading_not_available' => 'Not Available', 'nordigen_handler_error_heading_not_available' => 'Nie je k dispozícií',
'nordigen_handler_error_contents_not_available' => 'Feature unavailable, enterprise plan only.', 'nordigen_handler_error_contents_not_available' => 'Funkcia nie je k dispozícii, iba podnikový plán.',
'nordigen_handler_error_heading_institution_invalid' => 'Invalid Institution', 'nordigen_handler_error_heading_institution_invalid' => 'Neplatná inštitúcia',
'nordigen_handler_error_contents_institution_invalid' => 'The provided institution-id is invalid or no longer valid.', 'nordigen_handler_error_contents_institution_invalid' => 'Poskytnuté ID inštitúcie je neplatné alebo už neplatí.',
'nordigen_handler_error_heading_ref_invalid' => 'Invalid Reference', 'nordigen_handler_error_heading_ref_invalid' => 'Neplatná referencia',
'nordigen_handler_error_contents_ref_invalid' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_ref_invalid' => 'GoCardless neposkytol platnú referenciu. Spustite postup znova a ak tento problém pretrváva, kontaktujte podporu.',
'nordigen_handler_error_heading_not_found' => 'Invalid Requisition', 'nordigen_handler_error_heading_not_found' => 'Neplatná požiadavka',
'nordigen_handler_error_contents_not_found' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_not_found' => 'GoCardless neposkytol platnú referenciu. Spustite postup znova a ak tento problém pretrváva, kontaktujte podporu.',
'nordigen_handler_error_heading_requisition_invalid_status' => 'Not Ready', 'nordigen_handler_error_heading_requisition_invalid_status' => 'Nie je pripravený',
'nordigen_handler_error_contents_requisition_invalid_status' => 'You called this site too early. Please finish authorization and refresh this page. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_requisition_invalid_status' => 'Zavolali ste na túto stránku príliš skoro. Dokončite autorizáciu a obnovte túto stránku. Ak tento problém pretrváva, požiadajte o pomoc podporu.',
'nordigen_handler_error_heading_requisition_no_accounts' => 'No Accounts selected', 'nordigen_handler_error_heading_requisition_no_accounts' => 'Nie sú vybraté žiadne účty',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => 'Služba nevrátila žiadne platné účty. Zvážte reštartovanie toku.',
'nordigen_handler_restart' => 'Restart flow.', 'nordigen_handler_restart' => 'Reštartujte tok.',
'nordigen_handler_return' => 'Return to application.', 'nordigen_handler_return' => 'Návrat k aplikácii.',
'lang_Lao' => 'Lao', 'lang_Lao' => 'Lao',
'currency_lao_kip' => 'Lao kip', 'currency_lao_kip' => 'Laoský kip',
'yodlee_regions' => 'Regions: USA, UK, Australia & India', 'yodlee_regions' => 'Regióny: USA, Veľká Británia, Austrália a India',
'nordigen_regions' => 'Regions: Europe & UK', 'nordigen_regions' => 'Regióny: Európa a Spojené kráľovstvo',
'select_provider' => 'Select Provider', 'select_provider' => 'Vyberte poskytovateľa',
'nordigen_requisition_subject' => 'Requisition expired, please reauthenticate.', 'nordigen_requisition_subject' => 'Platnosť požiadavky vypršala, znova sa overte.',
'nordigen_requisition_body' => 'Access to bank account feeds has expired as set in End User Agreement. <br><br>Please log into Invoice Ninja and re-authenticate with your banks to continue receiving transactions.', 'nordigen_requisition_body' => 'Platnosť prístupu k informačným kanálom bankového účtu vypršala, ako je stanovené v zmluve s koncovým používateľom.<br><br> Prihláste sa do Invoice Ninja a znova sa overte vo svojich bankách, aby ste mohli pokračovať v prijímaní transakcií.',
'participant' => 'Participant', 'participant' => 'Účastník',
'participant_name' => 'Participant name', 'participant_name' => 'Meno účastníka',
'client_unsubscribed' => 'Client unsubscribed from emails.', 'client_unsubscribed' => 'Klient sa odhlásil z odberu e-mailov.',
'client_unsubscribed_help' => 'Client :client has unsubscribed from your e-mails. The client needs to consent to receive future emails from you.', 'client_unsubscribed_help' => 'Klient :client sa odhlásil z odberu vašich e-mailov. Klient musí súhlasiť s prijímaním budúcich e-mailov od vás.',
'resubscribe' => 'Resubscribe', 'resubscribe' => 'Znova sa prihláste na odber',
'subscribe' => 'Subscribe', 'subscribe' => 'Prihlásiť sa na odber',
'subscribe_help' => 'You are currently subscribed and will continue to receive email communications.', 'subscribe_help' => 'Momentálne ste prihlásený/-á a budete naďalej dostávať e-mailovú komunikáciu.',
'unsubscribe_help' => 'You are currently not subscribed, and therefore, will not receive emails at this time.', 'unsubscribe_help' => 'Momentálne nie ste prihlásený/-á, a preto momentálne nebudete dostávať e-maily.',
'notification_purchase_order_bounced' => 'We were unable to deliver Purchase Order :invoice to :contact. <br><br> :error', 'notification_purchase_order_bounced' => 'Nepodarilo sa nám doručiť objednávku :invoice na adresu :contact .<br><br> :error',
'notification_purchase_order_bounced_subject' => 'Unable to deliver Purchase Order :invoice', 'notification_purchase_order_bounced_subject' => 'Nie je možné doručiť objednávku :invoice',
'show_pdfhtml_on_mobile' => 'Display HTML version of entity when viewing on mobile', 'show_pdfhtml_on_mobile' => 'Zobrazte HTML verziu entity pri prezeraní na mobile',
'show_pdfhtml_on_mobile_help' => 'For improved visualization, displays a HTML version of the invoice/quote when viewing on mobile.', 'show_pdfhtml_on_mobile_help' => 'Pre lepšiu vizualizáciu zobrazuje HTML verziu faktúry/cenovej ponuky pri prezeraní na mobile.',
'please_select_an_invoice_or_credit' => 'Please select an invoice or credit', 'please_select_an_invoice_or_credit' => 'Vyberte faktúru alebo kredit',
'mobile_version' => 'Mobile Version', 'mobile_version' => 'Mobilná verzia',
'venmo' => 'Venmo', 'venmo' => 'Venmo',
'my_bank' => 'MyBank', 'my_bank' => 'MyBank',
'pay_later' => 'Pay Later', 'pay_later' => 'Zaplatiť neskôr',
'local_domain' => 'Local Domain', 'local_domain' => 'Lokálna doména',
'verify_peer' => 'Verify Peer', 'verify_peer' => 'Overte Peer',
'nordigen_help' => 'Note: connecting an account requires a GoCardless/Nordigen API key', 'nordigen_help' => 'Poznámka: Pripojenie účtu vyžaduje kľúč GoCardless/Nordigen API',
'ar_detailed' => 'Accounts Receivable Detailed', 'ar_detailed' => 'Detailné pohľadávky',
'ar_summary' => 'Accounts Receivable Summary', 'ar_summary' => 'Prehľad pohľadávok',
'client_sales' => 'Client Sales', 'client_sales' => 'Klientsky predaj',
'user_sales' => 'User Sales', 'user_sales' => 'Predaj používateľov',
'iframe_url' => 'iFrame URL', 'iframe_url' => 'Adresa URL prvku iFrame',
'user_unsubscribed' => 'User unsubscribed from emails :link', 'user_unsubscribed' => 'Používateľ sa odhlásil z odberu e-mailov :link',
'use_available_payments' => 'Use Available Payments', 'use_available_payments' => 'Použite dostupné platby',
'test_email_sent' => 'Successfully sent email', 'test_email_sent' => 'E-mail bol úspešne odoslaný',
'gateway_type' => 'Gateway Type', 'gateway_type' => 'Typ brány',
'save_template_body' => 'Would you like to save this import mapping as a template for future use?', 'save_template_body' => 'Chcete uložiť toto mapovanie importu ako šablónu pre budúce použitie?',
'save_as_template' => 'Save Template Mapping', 'save_as_template' => 'Uložiť mapovanie šablóny',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => 'Automatické fakturovanie štandardných faktúr v deň splatnosti',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => 'Automatická faktúra v deň odoslania ALEBO v deň splatnosti (opakujúce sa faktúry)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => 'Aplikujte všetky kreditné zostatky na platby pred účtovaním na spôsob platby',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => 'Použite nepripísané platby',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => 'Uplatnite všetky platobné zostatky pred účtovaním na spôsob platby',
'payment_terms_help' => 'Nastavuje predvolený <b>dátum splatnosti </b>', 'payment_terms_help' => 'Nastavuje predvolený <b>dátum splatnosti </b>',
'payment_type_help' => 'Nastaví predvolený <b>manuálny typ platby</b>.', 'payment_type_help' => 'Nastaví predvolený <b>manuálny typ platby</b>.',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => 'Počet dní, počas ktorých je cenová ponuka platná',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'Predvolený typ platby výdavkov, ktorý sa má použiť',
'paylater' => 'Pay in 4', 'paylater' => 'Zaplatiť do 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Poskytovateľ platieb',
'select_email_provider' => 'Nastavte svoj e-mail ako odosielajúceho používateľa',
'purchase_order_items' => 'Položky nákupnej objednávky',
'csv_rows_length' => 'V tomto súbore CSV sa nenašli žiadne údaje',
'accept_payments_online' => 'Prijímajte platby online',
'all_payment_gateways' => 'Pozrite si všetky platobné brány',
'product_cost' => 'Cena produktu',
'enable_rappen_roudning' => 'Povoliť zaokrúhľovanie Rappen',
'enable_rappen_rounding_help' => 'Zaokrúhľuje súčty na najbližších 5',
'duration_words' => 'Trvanie v slovách',
'upcoming_recurring_invoices' => 'Nadchádzajúce opakované faktúry',
'total_invoices' => 'Celkové faktúry',
); );
return $lang; return $lang;

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'Odstrani žeton', 'delete_token' => 'Odstrani žeton',
'token' => 'Žeton', 'token' => 'Žeton',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Odstrani prehod', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Uredi prehod', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Prehod uspešno obnovljen', 'updated_gateway' => 'Prehod uspešno obnovljen',
'created_gateway' => 'Prehod uspešno ustvarjen', 'created_gateway' => 'Prehod uspešno ustvarjen',
'deleted_gateway' => 'Prehod uspešno odstranjen', 'deleted_gateway' => 'Prehod uspešno odstranjen',
@ -2198,6 +2198,8 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'encryption' => 'Enkripcija', 'encryption' => 'Enkripcija',
'mailgun_domain' => 'Mailgun domena', 'mailgun_domain' => 'Mailgun domena',
'mailgun_private_key' => 'Mailgun zasebni ključ', 'mailgun_private_key' => 'Mailgun zasebni ključ',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Pošlji testno sporočilo', 'send_test_email' => 'Pošlji testno sporočilo',
'select_label' => 'Izberi oznako', 'select_label' => 'Izberi oznako',
'label' => 'Oznaka', 'label' => 'Oznaka',
@ -4848,6 +4850,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'Lokacija predlogleda', 'pdf_preview_location' => 'Lokacija predlogleda',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5100,6 +5103,8 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5254,7 +5259,17 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'Fshi Tokenin', 'delete_token' => 'Fshi Tokenin',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Fshi kanalin e pagesës', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Edito kanalin e pagesës', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Kanali i pagesës është perditesuar me sukses', 'updated_gateway' => 'Kanali i pagesës është perditesuar me sukses',
'created_gateway' => 'Kanali i pagesës është krijuar me sukses', 'created_gateway' => 'Kanali i pagesës është krijuar me sukses',
'deleted_gateway' => 'Kanali i pagesës është fshirë me sukses', 'deleted_gateway' => 'Kanali i pagesës është fshirë me sukses',
@ -2198,6 +2198,8 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli
'encryption' => 'Encryption', 'encryption' => 'Encryption',
'mailgun_domain' => 'Mailgun Domain', 'mailgun_domain' => 'Mailgun Domain',
'mailgun_private_key' => 'Mailgun Private Key', 'mailgun_private_key' => 'Mailgun Private Key',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Send test email', 'send_test_email' => 'Send test email',
'select_label' => 'Select Label', 'select_label' => 'Select Label',
'label' => 'Label', 'label' => 'Label',
@ -4848,6 +4850,7 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5100,6 +5103,8 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5254,7 +5259,17 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'Obriši token', 'delete_token' => 'Obriši token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Obriši kanal plaćanja', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Uredi kanal plaćanja', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Uspešno ažuriran kanal', 'updated_gateway' => 'Uspešno ažuriran kanal',
'created_gateway' => 'Uspešno kreiran kanal', 'created_gateway' => 'Uspešno kreiran kanal',
'deleted_gateway' => 'Uspešno obrisan kanal', 'deleted_gateway' => 'Uspešno obrisan kanal',
@ -2197,6 +2197,8 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k
'encryption' => 'Enkripcija', 'encryption' => 'Enkripcija',
'mailgun_domain' => 'Mailgun Domen', 'mailgun_domain' => 'Mailgun Domen',
'mailgun_private_key' => 'Mailgun privatni ključ', 'mailgun_private_key' => 'Mailgun privatni ključ',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Pošalji probnu e-poštu', 'send_test_email' => 'Pošalji probnu e-poštu',
'select_label' => 'Izaberi oznaku', 'select_label' => 'Izaberi oznaku',
'label' => 'Oznaka', 'label' => 'Oznaka',
@ -4847,6 +4849,7 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5099,6 +5102,8 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5253,7 +5258,17 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

File diff suppressed because it is too large Load Diff

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'ลบ Token', 'delete_token' => 'ลบ Token',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'ลบช่องทางการชำระเงิน', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'แก้ไขช่องทางการชำระเงิน', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'อัปเดทช่องทางการชำระเงินเรียบร้อย', 'updated_gateway' => 'อัปเดทช่องทางการชำระเงินเรียบร้อย',
'created_gateway' => 'สร้างช่องทางการชำระเงินเรียบร้อย', 'created_gateway' => 'สร้างช่องทางการชำระเงินเรียบร้อย',
'deleted_gateway' => 'ลบช่องทางกา่รชำระเงินเรียบร้อย', 'deleted_gateway' => 'ลบช่องทางกา่รชำระเงินเรียบร้อย',
@ -2198,6 +2198,8 @@ $lang = array(
'encryption' => 'การเข้ารหัส', 'encryption' => 'การเข้ารหัส',
'mailgun_domain' => 'Mailgun Domain', 'mailgun_domain' => 'Mailgun Domain',
'mailgun_private_key' => 'Mailgun Private Key', 'mailgun_private_key' => 'Mailgun Private Key',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'ส่งอีเมล์ทดสอบ', 'send_test_email' => 'ส่งอีเมล์ทดสอบ',
'select_label' => 'เลือกป้ายกำกับ', 'select_label' => 'เลือกป้ายกำกับ',
'label' => 'ป้ายกำกับ', 'label' => 'ป้ายกำกับ',
@ -4848,6 +4850,7 @@ $lang = array(
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5100,6 +5103,8 @@ $lang = array(
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5254,7 +5259,17 @@ $lang = array(
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -461,8 +461,8 @@ $lang = array(
'delete_token' => 'Token Sil', 'delete_token' => 'Token Sil',
'token' => 'Token', 'token' => 'Token',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => 'Add Payment Gateway',
'delete_gateway' => 'Ödeme Sistemi Sil', 'delete_gateway' => 'Delete Payment Gateway',
'edit_gateway' => 'Ödeme Sistemi Düzenle', 'edit_gateway' => 'Edit Payment Gateway',
'updated_gateway' => 'Ödeme Sistemi başarıyla güncellendi', 'updated_gateway' => 'Ödeme Sistemi başarıyla güncellendi',
'created_gateway' => 'Ödeme Sistemi başarıyla oluşturuldu', 'created_gateway' => 'Ödeme Sistemi başarıyla oluşturuldu',
'deleted_gateway' => 'Ödeme Sistemi başarıyla silindi', 'deleted_gateway' => 'Ödeme Sistemi başarıyla silindi',
@ -2197,6 +2197,8 @@ $lang = array(
'encryption' => 'Encryption', 'encryption' => 'Encryption',
'mailgun_domain' => 'Mailgun Domain', 'mailgun_domain' => 'Mailgun Domain',
'mailgun_private_key' => 'Mailgun Private Key', 'mailgun_private_key' => 'Mailgun Private Key',
'brevo_domain' => 'Brevo Domain',
'brevo_private_key' => 'Brevo Private Key',
'send_test_email' => 'Send test email', 'send_test_email' => 'Send test email',
'select_label' => 'Select Label', 'select_label' => 'Select Label',
'label' => 'Label', 'label' => 'Label',
@ -4847,6 +4849,7 @@ $lang = array(
'email_alignment' => 'Email Alignment', 'email_alignment' => 'Email Alignment',
'pdf_preview_location' => 'PDF Preview Location', 'pdf_preview_location' => 'PDF Preview Location',
'mailgun' => 'Mailgun', 'mailgun' => 'Mailgun',
'brevo' => 'Brevo',
'postmark' => 'Postmark', 'postmark' => 'Postmark',
'microsoft' => 'Microsoft', 'microsoft' => 'Microsoft',
'click_plus_to_create_record' => 'Click + to create a record', 'click_plus_to_create_record' => 'Click + to create a record',
@ -5099,6 +5102,8 @@ $lang = array(
'drop_files_here' => 'Drop files here', 'drop_files_here' => 'Drop files here',
'upload_files' => 'Upload Files', 'upload_files' => 'Upload Files',
'download_e_invoice' => 'Download E-Invoice', 'download_e_invoice' => 'Download E-Invoice',
'download_e_credit' => 'Download E-Credit',
'download_e_quote' => 'Download E-Quote',
'triangular_tax_info' => 'Intra-community triangular transaction', 'triangular_tax_info' => 'Intra-community triangular transaction',
'intracommunity_tax_info' => 'Tax-free intra-community delivery', 'intracommunity_tax_info' => 'Tax-free intra-community delivery',
'reverse_tax_info' => 'Please note that this supply is subject to reverse charge', 'reverse_tax_info' => 'Please note that this supply is subject to reverse charge',
@ -5253,7 +5258,17 @@ $lang = array(
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => 'The default expense payment type to be used',
'paylater' => 'Pay in 4', 'paylater' => 'Pay in 4',
'payment_provider' => 'Payment Provider', 'payment_provider' => 'Payment Provider',
'select_email_provider' => 'Set your email as the sending user',
'purchase_order_items' => 'Purchase Order Items',
'csv_rows_length' => 'No data found in this CSV file',
'accept_payments_online' => 'Accept Payments Online',
'all_payment_gateways' => 'View all payment gateways',
'product_cost' => 'Product cost',
'enable_rappen_roudning' => 'Enable Rappen Rounding',
'enable_rappen_rounding_help' => 'Rounds totals to nearest 5',
'duration_words' => 'Duration in words',
'upcoming_recurring_invoices' => 'Upcoming Recurring Invoices',
'total_invoices' => 'Total Invoices',
); );
return $lang; return $lang;

View File

@ -460,9 +460,9 @@ $lang = array(
'edit_token' => '編輯安全代碼', 'edit_token' => '編輯安全代碼',
'delete_token' => '刪除安全代碼', 'delete_token' => '刪除安全代碼',
'token' => '安全代碼', 'token' => '安全代碼',
'add_gateway' => 'Add Payment Gateway', 'add_gateway' => '新增支付網關',
'delete_gateway' => '刪除閘道資料', 'delete_gateway' => '刪除支付網關',
'edit_gateway' => '編輯閘道', 'edit_gateway' => '編輯支付網關',
'updated_gateway' => '更新閘道資料成功', 'updated_gateway' => '更新閘道資料成功',
'created_gateway' => '建立閘道資料成功', 'created_gateway' => '建立閘道資料成功',
'deleted_gateway' => '刪除閘道資料成功', 'deleted_gateway' => '刪除閘道資料成功',
@ -506,8 +506,8 @@ $lang = array(
'auto_wrap' => '自動換行', 'auto_wrap' => '自動換行',
'duplicate_post' => '警告: 上一頁被提交兩次,第二次的提交已被略過。', 'duplicate_post' => '警告: 上一頁被提交兩次,第二次的提交已被略過。',
'view_documentation' => '檢視文件', 'view_documentation' => '檢視文件',
'app_title' => 'Free Online Invoicing', 'app_title' => '免費線上開立發票',
'app_description' => 'Invoice Ninja is a free, open-code solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.', 'app_description' => 'Invoice Ninja 是一款免費、開放式程式碼的解決方案,適用於發票和計費客戶。透過 Invoice Ninja您可以從任何可以存取網路的裝置輕鬆建立和發送精美的發票。您的客戶可以列印您的發票、將其下載為 pdf 文件,甚至可以在系統內在線上向您付款。',
'rows' => 'rows', 'rows' => 'rows',
'www' => 'www', 'www' => 'www',
'logo' => '標誌', 'logo' => '標誌',
@ -693,9 +693,9 @@ $lang = array(
'disable' => '停用', 'disable' => '停用',
'invoice_quote_number' => '發票與報價單編號', 'invoice_quote_number' => '發票與報價單編號',
'invoice_charges' => '發票的額外費用', 'invoice_charges' => '發票的額外費用',
'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact. <br><br> :error', 'notification_invoice_bounced' => '我們無法將發票:invoice寄至:contact 。<br><br> :error',
'notification_invoice_bounced_subject' => '無法傳送發票 :invoice', 'notification_invoice_bounced_subject' => '無法傳送發票 :invoice',
'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact. <br><br> :error', 'notification_quote_bounced' => '我們無法將報價:invoice發送至:contact 。<br><br> :error',
'notification_quote_bounced_subject' => '無法遞送報價單 :invoice', 'notification_quote_bounced_subject' => '無法遞送報價單 :invoice',
'custom_invoice_link' => '自訂發票連結', 'custom_invoice_link' => '自訂發票連結',
'total_invoiced' => '開立發票總額', 'total_invoiced' => '開立發票總額',
@ -1901,7 +1901,7 @@ $lang = array(
'require_quote_signature_help' => '要求用戶提供其簽名。', 'require_quote_signature_help' => '要求用戶提供其簽名。',
'i_agree' => '我同意這些條款', 'i_agree' => '我同意這些條款',
'sign_here' => '請在此處簽名:', 'sign_here' => '請在此處簽名:',
'sign_here_ux_tip' => 'Use the mouse or your touchpad to trace your signature.', 'sign_here_ux_tip' => '使用滑鼠或觸控板追蹤您的簽名。',
'authorization' => '授權', 'authorization' => '授權',
'signed' => '已簽署', 'signed' => '已簽署',
@ -2197,6 +2197,8 @@ $lang = array(
'encryption' => '加密', 'encryption' => '加密',
'mailgun_domain' => 'Mailgun 網域', 'mailgun_domain' => 'Mailgun 網域',
'mailgun_private_key' => 'Mailgun 私密金鑰', 'mailgun_private_key' => 'Mailgun 私密金鑰',
'brevo_domain' => '布雷沃域',
'brevo_private_key' => '布雷沃私鑰',
'send_test_email' => '寄送測試郵件', 'send_test_email' => '寄送測試郵件',
'select_label' => '選擇標籤', 'select_label' => '選擇標籤',
'label' => '標籤', 'label' => '標籤',
@ -3010,7 +3012,7 @@ $lang = array(
'hosted_login' => '託管登入', 'hosted_login' => '託管登入',
'selfhost_login' => 'Selfhost 登入', 'selfhost_login' => 'Selfhost 登入',
'google_login' => 'Google 登入', 'google_login' => 'Google 登入',
'thanks_for_patience' => 'Thank for your patience while we work to implement these features.<br><br>We hope to have them completed in the next few months.<br><br>Until then we\'ll continue to support the', 'thanks_for_patience' => '感謝您在我們努力實現這些功能期間的耐心等待。<br><br>我們希望在接下來的幾個月內完成它們。<br><br>在此之前我們將繼續支持',
'legacy_mobile_app' => '舊版行動 App', 'legacy_mobile_app' => '舊版行動 App',
'today' => '今天', 'today' => '今天',
'current' => '目前', 'current' => '目前',
@ -3328,7 +3330,7 @@ $lang = array(
'credit_number_counter' => '信用號碼櫃檯', 'credit_number_counter' => '信用號碼櫃檯',
'reset_counter_date' => '重置計數器日期', 'reset_counter_date' => '重置計數器日期',
'counter_padding' => '計數器填充', 'counter_padding' => '計數器填充',
'shared_invoice_quote_counter' => 'Share Invoice/Quote Counter', 'shared_invoice_quote_counter' => '共享發票/報價櫃檯',
'default_tax_name_1' => '預設稅名 1', 'default_tax_name_1' => '預設稅名 1',
'default_tax_rate_1' => '預設稅率 1', 'default_tax_rate_1' => '預設稅率 1',
'default_tax_name_2' => '預設稅名 2', 'default_tax_name_2' => '預設稅名 2',
@ -3868,7 +3870,7 @@ $lang = array(
'cancellation_pending' => '取消待定,我們會聯絡您!', 'cancellation_pending' => '取消待定,我們會聯絡您!',
'list_of_payments' => '付款清單', 'list_of_payments' => '付款清單',
'payment_details' => '付款詳情', 'payment_details' => '付款詳情',
'list_of_payment_invoices' => 'Associate invoices', 'list_of_payment_invoices' => '關聯發票',
'list_of_payment_methods' => '付款方式一覽', 'list_of_payment_methods' => '付款方式一覽',
'payment_method_details' => '付款方式詳情', 'payment_method_details' => '付款方式詳情',
'permanently_remove_payment_method' => '永久刪除此付款方式。', 'permanently_remove_payment_method' => '永久刪除此付款方式。',
@ -4217,7 +4219,7 @@ $lang = array(
'direct_debit' => '直接借記', 'direct_debit' => '直接借記',
'clone_to_expense' => '克隆到費用', 'clone_to_expense' => '克隆到費用',
'checkout' => '查看', 'checkout' => '查看',
'acss' => 'ACSS Debit', 'acss' => 'ACSS 金融卡',
'invalid_amount' => '金額無效。僅限數字/小數值。', 'invalid_amount' => '金額無效。僅限數字/小數值。',
'client_payment_failure_body' => '發票:invoice金額:amount的付款失敗。', 'client_payment_failure_body' => '發票:invoice金額:amount的付款失敗。',
'browser_pay' => 'Google支付、蘋果支付、微軟支付', 'browser_pay' => 'Google支付、蘋果支付、微軟支付',
@ -4847,6 +4849,7 @@ $lang = array(
'email_alignment' => '電子郵件對齊', 'email_alignment' => '電子郵件對齊',
'pdf_preview_location' => 'PDF 預覽位置', 'pdf_preview_location' => 'PDF 預覽位置',
'mailgun' => '郵件槍', 'mailgun' => '郵件槍',
'brevo' => '布雷沃',
'postmark' => '郵戳', 'postmark' => '郵戳',
'microsoft' => '微軟', 'microsoft' => '微軟',
'click_plus_to_create_record' => '點擊+建立記錄', 'click_plus_to_create_record' => '點擊+建立記錄',
@ -4925,7 +4928,7 @@ $lang = array(
'no_assigned_tasks' => '該項目沒有計費任務', 'no_assigned_tasks' => '該項目沒有計費任務',
'authorization_failure' => '權限不足,無法執行此操作', 'authorization_failure' => '權限不足,無法執行此操作',
'authorization_sms_failure' => '請驗證您的帳戶以發送電子郵件。', 'authorization_sms_failure' => '請驗證您的帳戶以發送電子郵件。',
'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key <br><br> You can manage your license here: https://invoiceninja.invoicing.co/client/login', 'white_label_body' => '感謝您購買白標許可證。<br><br>您的許可證密鑰是:<br><br> :license_key<br><br>您可以在此處管理您的授權:https://invoiceninja.invoicing.co/client/login',
'payment_type_Klarna' => '克拉納', 'payment_type_Klarna' => '克拉納',
'payment_type_Interac E Transfer' => 'Interac E 傳輸', 'payment_type_Interac E Transfer' => 'Interac E 傳輸',
'xinvoice_payable' => '在:payeddue天內支付直至:paydate', 'xinvoice_payable' => '在:payeddue天內支付直至:paydate',
@ -5090,7 +5093,7 @@ $lang = array(
'region' => '地區', 'region' => '地區',
'county' => '縣', 'county' => '縣',
'tax_details' => '稅務詳情', 'tax_details' => '稅務詳情',
'activity_10_online' => ':contact made payment :payment for invoice :invoice for :client', 'activity_10_online' => ':contact已為:client的發票:payment付款:invoice',
'activity_10_manual' => ':user輸入了發票:payment的付款:invoice的:client', 'activity_10_manual' => ':user輸入了發票:payment的付款:invoice的:client',
'default_payment_type' => '預設付款類型', 'default_payment_type' => '預設付款類型',
'number_precision' => '數位精度', 'number_precision' => '數位精度',
@ -5099,6 +5102,8 @@ $lang = array(
'drop_files_here' => '將文件拖放到此處', 'drop_files_here' => '將文件拖放到此處',
'upload_files' => '上傳文件', 'upload_files' => '上傳文件',
'download_e_invoice' => '下載電子發票', 'download_e_invoice' => '下載電子發票',
'download_e_credit' => '下載電子信用',
'download_e_quote' => '下載電子報價',
'triangular_tax_info' => '社區內三角交易', 'triangular_tax_info' => '社區內三角交易',
'intracommunity_tax_info' => '免稅社區內配送', 'intracommunity_tax_info' => '免稅社區內配送',
'reverse_tax_info' => '請注意,此電源可能會反向充電', 'reverse_tax_info' => '請注意,此電源可能會反向充電',
@ -5120,7 +5125,7 @@ $lang = array(
'set_private' => '設定私人', 'set_private' => '設定私人',
'individual' => '個人', 'individual' => '個人',
'business' => '商業', 'business' => '商業',
'partnership' => 'Partnership', 'partnership' => '合夥',
'trust' => '相信', 'trust' => '相信',
'charity' => '慈善機構', 'charity' => '慈善機構',
'government' => '政府', 'government' => '政府',
@ -5146,114 +5151,124 @@ $lang = array(
'payment_receipt' => '付款收據 # :number', 'payment_receipt' => '付款收據 # :number',
'load_template_description' => '此模板將應用於以下領域:', 'load_template_description' => '此模板將應用於以下領域:',
'run_template' => '運行模板', 'run_template' => '運行模板',
'statement_design' => 'Statement Design', 'statement_design' => '聲明設計',
'delivery_note_design' => 'Delivery Note Design', 'delivery_note_design' => '送貨單設計',
'payment_receipt_design' => 'Payment Receipt Design', 'payment_receipt_design' => '付款收據設計',
'payment_refund_design' => 'Payment Refund Design', 'payment_refund_design' => '付款退款設計',
'task_extension_banner' => 'Add the Chrome extension to manage your tasks', 'task_extension_banner' => '新增 Chrome 擴充功能來管理您的任務',
'watch_video' => 'Watch Video', 'watch_video' => '看影片',
'view_extension' => 'View Extension', 'view_extension' => '查看擴充',
'reactivate_email' => 'Reactivate Email', 'reactivate_email' => '重新啟動電子郵件',
'email_reactivated' => 'Successfully reactivated email', 'email_reactivated' => '已成功重新啟動電子郵件',
'template_help' => 'Enable using the design as a template', 'template_help' => '允許使用設計作為模板',
'quarter' => 'Quarter', 'quarter' => '四分之一',
'item_description' => 'Item Description', 'item_description' => '商品描述',
'task_item' => 'Task Item', 'task_item' => '任務項',
'record_state' => 'Record State', 'record_state' => '記錄狀態',
'save_files_to_this_folder' => 'Save files to this folder', 'save_files_to_this_folder' => '將檔案儲存到此資料夾',
'downloads_folder' => 'Downloads Folder', 'downloads_folder' => '下載資料夾',
'total_invoiced_quotes' => 'Invoiced Quotes', 'total_invoiced_quotes' => '發票報價',
'total_invoice_paid_quotes' => 'Invoice Paid Quotes', 'total_invoice_paid_quotes' => '發票已付報價',
'downloads_folder_does_not_exist' => 'The downloads folder does not exist :value', 'downloads_folder_does_not_exist' => '下載資料夾不存在:value',
'user_logged_in_notification' => 'User Logged in Notification', 'user_logged_in_notification' => '用戶登入通知',
'user_logged_in_notification_help' => 'Send an email when logging in from a new location', 'user_logged_in_notification_help' => '從新位置登入時發送電子郵件',
'payment_email_all_contacts' => 'Payment Email To All Contacts', 'payment_email_all_contacts' => '付款電子郵件發送給所有聯絡人',
'payment_email_all_contacts_help' => 'Sends the payment email to all contacts when enabled', 'payment_email_all_contacts_help' => '啟用後將付款電子郵件發送給所有聯絡人',
'add_line' => 'Add Line', 'add_line' => '新增線路',
'activity_139' => 'Expense :expense notification sent to :contact', 'activity_139' => '費用:expense通知已發送至:contact',
'vendor_notification_subject' => 'Confirmation of payment :amount sent to :vendor', 'vendor_notification_subject' => '付款確認訊息:amount已發送至:vendor',
'vendor_notification_body' => 'Payment processed for :amount dated :payment_date. <br>[Transaction Reference: :transaction_reference]', 'vendor_notification_body' => '已處理:amount的付款日期為:payment _date。<br> [交易參考: :transaction_reference ]',
'receipt' => 'Receipt', 'receipt' => '收據',
'charges' => 'Charges', 'charges' => '收費',
'email_report' => 'Email Report', 'email_report' => '電子郵件報告',
'payment_type_Pay Later' => 'Pay Later', 'payment_type_Pay Later' => '以後支付',
'payment_type_credit' => 'Payment Type Credit', 'payment_type_credit' => '付款方式 信用證',
'payment_type_debit' => 'Payment Type Debit', 'payment_type_debit' => '付款類型 金融卡',
'send_emails_to' => 'Send Emails To', 'send_emails_to' => '發送電子郵件至',
'primary_contact' => 'Primary Contact', 'primary_contact' => '主要聯絡人',
'all_contacts' => 'All Contacts', 'all_contacts' => '所有聯絡人',
'insert_below' => 'Insert Below', 'insert_below' => '在下面插入',
'nordigen_handler_subtitle' => 'Bank account authentication. Selecting your institution to complete the request with your account credentials.', 'nordigen_handler_subtitle' => '銀行帳戶認證。選擇您的機構以使用您的帳戶憑證完成請求。',
'nordigen_handler_error_heading_unknown' => 'An error has occured', 'nordigen_handler_error_heading_unknown' => '發生錯誤',
'nordigen_handler_error_contents_unknown' => 'An unknown error has occurred! Reason:', 'nordigen_handler_error_contents_unknown' => '出現未知錯誤!原因:',
'nordigen_handler_error_heading_token_invalid' => 'Invalid Token', 'nordigen_handler_error_heading_token_invalid' => '令牌無效',
'nordigen_handler_error_contents_token_invalid' => 'The provided token was invalid. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_token_invalid' => '提供的令牌無效。如果此問題仍然存在,請聯絡支援人員尋求協助。',
'nordigen_handler_error_heading_account_config_invalid' => 'Missing Credentials', 'nordigen_handler_error_heading_account_config_invalid' => '缺少憑證',
'nordigen_handler_error_contents_account_config_invalid' => 'Invalid or missing credentials for Gocardless Bank Account Data. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_account_config_invalid' => 'Gocardless 銀行帳戶資料的憑證無效或遺失。如果此問題仍然存在,請聯絡支援人員尋求協助。',
'nordigen_handler_error_heading_not_available' => 'Not Available', 'nordigen_handler_error_heading_not_available' => '無法使用',
'nordigen_handler_error_contents_not_available' => 'Feature unavailable, enterprise plan only.', 'nordigen_handler_error_contents_not_available' => '功能不可用,僅限企業方案。',
'nordigen_handler_error_heading_institution_invalid' => 'Invalid Institution', 'nordigen_handler_error_heading_institution_invalid' => '無效機構',
'nordigen_handler_error_contents_institution_invalid' => 'The provided institution-id is invalid or no longer valid.', 'nordigen_handler_error_contents_institution_invalid' => '提供的機構 ID 無效或不再有效。',
'nordigen_handler_error_heading_ref_invalid' => 'Invalid Reference', 'nordigen_handler_error_heading_ref_invalid' => '無效參考',
'nordigen_handler_error_contents_ref_invalid' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_ref_invalid' => 'GoCardless 未提供有效的參考。如果此問題仍然存在,請再次執行流程並聯絡支援人員。',
'nordigen_handler_error_heading_not_found' => 'Invalid Requisition', 'nordigen_handler_error_heading_not_found' => '無效申請',
'nordigen_handler_error_contents_not_found' => 'GoCardless did not provide a valid reference. Please run flow again and contact support, if this issue persists.', 'nordigen_handler_error_contents_not_found' => 'GoCardless 未提供有效的參考。如果此問題仍然存在,請再次執行流程並聯絡支援人員。',
'nordigen_handler_error_heading_requisition_invalid_status' => 'Not Ready', 'nordigen_handler_error_heading_requisition_invalid_status' => '沒有準備好',
'nordigen_handler_error_contents_requisition_invalid_status' => 'You called this site too early. Please finish authorization and refresh this page. Contact support for help, if this issue persists.', 'nordigen_handler_error_contents_requisition_invalid_status' => '您太早致電網站了。請完成授權並重新整理此頁面。如果此問題仍然存在,請聯絡支援人員尋求協助。',
'nordigen_handler_error_heading_requisition_no_accounts' => 'No Accounts selected', 'nordigen_handler_error_heading_requisition_no_accounts' => '未選擇帳戶',
'nordigen_handler_error_contents_requisition_no_accounts' => 'The service has not returned any valid accounts. Consider restarting the flow.', 'nordigen_handler_error_contents_requisition_no_accounts' => '該服務尚未傳回任何有效帳戶。考慮重新啟動流程。',
'nordigen_handler_restart' => 'Restart flow.', 'nordigen_handler_restart' => '重新啟動流程。',
'nordigen_handler_return' => 'Return to application.', 'nordigen_handler_return' => '返回應用程式。',
'lang_Lao' => 'Lao', 'lang_Lao' => '寮國',
'currency_lao_kip' => 'Lao kip', 'currency_lao_kip' => '寮國基普',
'yodlee_regions' => 'Regions: USA, UK, Australia & India', 'yodlee_regions' => '地區:美國、英國、澳洲和印度',
'nordigen_regions' => 'Regions: Europe & UK', 'nordigen_regions' => '地區: 歐洲和英國',
'select_provider' => 'Select Provider', 'select_provider' => '選擇提供者',
'nordigen_requisition_subject' => 'Requisition expired, please reauthenticate.', 'nordigen_requisition_subject' => '申請已過期,請重新驗證。',
'nordigen_requisition_body' => 'Access to bank account feeds has expired as set in End User Agreement. <br><br>Please log into Invoice Ninja and re-authenticate with your banks to continue receiving transactions.', 'nordigen_requisition_body' => '根據最終使用者協議中的規定,對銀行帳戶來源的存取權限已過期。<br><br>請登入 Invoice Ninja 並重新向您的銀行進行身份驗證以繼續接收交易。',
'participant' => 'Participant', 'participant' => '參加者',
'participant_name' => 'Participant name', 'participant_name' => '參加者姓名',
'client_unsubscribed' => 'Client unsubscribed from emails.', 'client_unsubscribed' => '客戶取消訂閱電子郵件。',
'client_unsubscribed_help' => 'Client :client has unsubscribed from your e-mails. The client needs to consent to receive future emails from you.', 'client_unsubscribed_help' => '客戶:client已取消訂閱您的電子郵件。客戶需要同意接收您以後發送的電子郵件。',
'resubscribe' => 'Resubscribe', 'resubscribe' => '重新訂閱',
'subscribe' => 'Subscribe', 'subscribe' => '訂閱',
'subscribe_help' => 'You are currently subscribed and will continue to receive email communications.', 'subscribe_help' => '您目前已訂閱並將繼續接收電子郵件通訊。',
'unsubscribe_help' => 'You are currently not subscribed, and therefore, will not receive emails at this time.', 'unsubscribe_help' => '您目前尚未訂閱,因此目前不會收到電子郵件。',
'notification_purchase_order_bounced' => 'We were unable to deliver Purchase Order :invoice to :contact. <br><br> :error', 'notification_purchase_order_bounced' => '我們無法將採購訂單:invoice交付給:contact 。<br><br> :error',
'notification_purchase_order_bounced_subject' => 'Unable to deliver Purchase Order :invoice', 'notification_purchase_order_bounced_subject' => '無法交付採購訂單:invoice',
'show_pdfhtml_on_mobile' => 'Display HTML version of entity when viewing on mobile', 'show_pdfhtml_on_mobile' => '在行動裝置上檢視時顯示實體的 HTML 版本',
'show_pdfhtml_on_mobile_help' => 'For improved visualization, displays a HTML version of the invoice/quote when viewing on mobile.', 'show_pdfhtml_on_mobile_help' => '為了改善視覺化效果,在行動裝置上查看時顯示 HTML 版本的發票/報價。',
'please_select_an_invoice_or_credit' => 'Please select an invoice or credit', 'please_select_an_invoice_or_credit' => '請選擇發票或信用證',
'mobile_version' => 'Mobile Version', 'mobile_version' => '手機版',
'venmo' => 'Venmo', 'venmo' => '文莫',
'my_bank' => 'MyBank', 'my_bank' => '網路商家',
'pay_later' => 'Pay Later', 'pay_later' => '以後支付',
'local_domain' => 'Local Domain', 'local_domain' => '本地域',
'verify_peer' => 'Verify Peer', 'verify_peer' => '驗證對等點',
'nordigen_help' => 'Note: connecting an account requires a GoCardless/Nordigen API key', 'nordigen_help' => '注意:連接帳戶需要 GoCardless/Nordigen API 金鑰',
'ar_detailed' => 'Accounts Receivable Detailed', 'ar_detailed' => '應收帳款明細',
'ar_summary' => 'Accounts Receivable Summary', 'ar_summary' => '應收帳款匯總',
'client_sales' => 'Client Sales', 'client_sales' => '客戶銷售',
'user_sales' => 'User Sales', 'user_sales' => '用戶銷售',
'iframe_url' => 'iFrame URL', 'iframe_url' => 'iFrame 網址',
'user_unsubscribed' => 'User unsubscribed from emails :link', 'user_unsubscribed' => '用戶取消訂閱電子郵件:link',
'use_available_payments' => 'Use Available Payments', 'use_available_payments' => '使用可用付款',
'test_email_sent' => 'Successfully sent email', 'test_email_sent' => '已成功發送電子郵件',
'gateway_type' => 'Gateway Type', 'gateway_type' => '網關類型',
'save_template_body' => 'Would you like to save this import mapping as a template for future use?', 'save_template_body' => '您想將此匯入映射儲存為範本以供將來使用嗎?',
'save_as_template' => 'Save Template Mapping', 'save_as_template' => '儲存模板映射',
'auto_bill_standard_invoices_help' => 'Auto bill standard invoices on the due date', 'auto_bill_standard_invoices_help' => '在到期日自動開立標準發票',
'auto_bill_on_help' => 'Auto bill on send date OR due date (recurring invoices)', 'auto_bill_on_help' => '在發送日期或到期日自動計費(定期發票)',
'use_available_credits_help' => 'Apply any credit balances to payments prior to charging a payment method', 'use_available_credits_help' => '在透過付款方式收費之前,將所有貸方餘額應用於付款',
'use_unapplied_payments' => 'Use unapplied payments', 'use_unapplied_payments' => '使用未使用的付款',
'use_unapplied_payments_help' => 'Apply any payment balances prior to charging a payment method', 'use_unapplied_payments_help' => '在透過付款方式收費之前應用所有付款餘額',
'payment_terms_help' => '設定預設的 <b>發票日期</b>', 'payment_terms_help' => '設定預設的 <b>發票日期</b>',
'payment_type_help' => '設定預設的<b>人工付款方式</b>。', 'payment_type_help' => '設定預設的<b>人工付款方式</b>。',
'quote_valid_until_help' => 'The number of days that the quote is valid for', 'quote_valid_until_help' => '報價的有效天數',
'expense_payment_type_help' => 'The default expense payment type to be used', 'expense_payment_type_help' => '使用的預設費用支付類型',
'paylater' => 'Pay in 4', 'paylater' => '4分之內付款',
'payment_provider' => 'Payment Provider', 'payment_provider' => '支付提供者',
'select_email_provider' => '將您的電子郵件設定為發送用戶',
'purchase_order_items' => '採購訂單項目',
'csv_rows_length' => '在此 CSV 檔案中找不到數據',
'accept_payments_online' => '接受線上付款',
'all_payment_gateways' => '查看所有支付網關',
'product_cost' => '產品成本',
'enable_rappen_roudning' => '啟用 Rappen 舍入',
'enable_rappen_rounding_help' => '將總計四捨五入到最接近的 5',
'duration_words' => '文字持續時間',
'upcoming_recurring_invoices' => '即將開立的經常性發票',
'total_invoices' => '發票總數',
); );
return $lang; return $lang;

View File

@ -2,7 +2,7 @@
<div class="flex flex-col w-64"> <div class="flex flex-col w-64">
<div class="flex items-center h-16 flex-shrink-0 px-4 bg-white border-r justify-center z-10"> <div class="flex items-center h-16 flex-shrink-0 px-4 bg-white border-r justify-center z-10">
<a href="{{ route('client.dashboard') }}"> <a href="{{ route('client.dashboard') }}">
<img class="h-10 w-auto" src="{!! auth()->guard('contact')->user()->company->present()->logo($settings) !!}" <img class="h-10 w-auto sidebar_logo_override" src="{!! auth()->guard('contact')->user()->company->present()->logo($settings) !!}"
alt="{{ auth()->guard('contact')->user()->company->present()->name() }} logo"/> alt="{{ auth()->guard('contact')->user()->company->present()->name() }} logo"/>
</a> </a>
</div> </div>

View File

@ -11,13 +11,16 @@
namespace Tests\Feature; namespace Tests\Feature;
use App\Models\Expense;
use Tests\TestCase;
use App\Models\Invoice;
use App\Models\Quote;
use Tests\MockAccountData;
use App\Utils\Traits\MakesHash; use App\Utils\Traits\MakesHash;
use Illuminate\Database\Eloquent\Model; use Illuminate\Database\Eloquent\Model;
use Illuminate\Foundation\Testing\DatabaseTransactions;
use Illuminate\Support\Facades\Session; use Illuminate\Support\Facades\Session;
use Illuminate\Validation\ValidationException; use Illuminate\Validation\ValidationException;
use Tests\MockAccountData; use Illuminate\Foundation\Testing\DatabaseTransactions;
use Tests\TestCase;
/** /**
* @test * @test
@ -44,6 +47,65 @@ class ProjectApiTest extends TestCase
Model::reguard(); Model::reguard();
} }
public function testProjectIncludesZeroCount()
{
$response = $this->withHeaders([
'X-API-SECRET' => config('ninja.api_secret'),
'X-API-TOKEN' => $this->token,
])->putJson("/api/v1/projects/{$this->project->hashed_id}?include=expenses,invoices,quotes");
$response->assertStatus(200);
$arr = $response->json();
$this->assertEquals(0, count($arr['data']['invoices']));
$this->assertEquals(0, count($arr['data']['expenses']));
$this->assertEquals(0, count($arr['data']['quotes']));
}
public function testProjectIncludes()
{
$i = Invoice::factory()->create([
'user_id' => $this->user->id,
'company_id' => $this->company->id,
'client_id' => $this->project->client_id,
'project_id' => $this->project->id,
]);
$e = Expense::factory()->create([
'user_id' => $this->user->id,
'company_id' => $this->company->id,
'client_id' => $this->project->client_id,
'project_id' => $this->project->id,
]);
$q = Quote::factory()->create([
'user_id' => $this->user->id,
'company_id' => $this->company->id,
'client_id' => $this->project->client_id,
'project_id' => $this->project->id,
]);
$response = $this->withHeaders([
'X-API-SECRET' => config('ninja.api_secret'),
'X-API-TOKEN' => $this->token,
])->putJson("/api/v1/projects/{$this->project->hashed_id}?include=expenses,invoices,quotes");
$response->assertStatus(200);
$arr = $response->json();
$this->assertEquals(1, count($arr['data']['invoices']));
$this->assertEquals(1, count($arr['data']['expenses']));
$this->assertEquals(1, count($arr['data']['quotes']));
}
public function testProjectValidationForBudgetedHoursPut() public function testProjectValidationForBudgetedHoursPut()
{ {

View File

@ -46,6 +46,24 @@ class PurchaseOrderTest extends TestCase
$this->makeTestData(); $this->makeTestData();
} }
public function testExpensePurchaseOrderConversion()
{
$p = PurchaseOrder::factory()->create([
'user_id' => $this->user->id,
'company_id' => $this->company->id,
'vendor_id' => $this->vendor->id,
'project_id' => $this->project->id,
]);
$expense = $p->service()->expense();
$this->assertEquals($expense->project_id, $this->project->id);
$this->assertEquals($expense->client_id, $p->project->client_id);
}
public function testPurchaseOrderHistory() public function testPurchaseOrderHistory()
{ {
event(new PurchaseOrderWasUpdated($this->purchase_order, $this->company, Ninja::eventVars($this->company, $this->user))); event(new PurchaseOrderWasUpdated($this->purchase_order, $this->company, Ninja::eventVars($this->company, $this->user)));