Merge pull request #8078 from turbo124/v5-develop

Disable auto fill for credit cards
This commit is contained in:
David Bomba 2022-12-16 21:33:24 +11:00 committed by GitHub
commit c189b5ebea
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
59 changed files with 6000 additions and 945 deletions

View File

@ -1 +1 @@
5.5.48
5.5.49

View File

@ -27,7 +27,7 @@ class TranslationsExport extends Command
*
* @var string
*/
protected $signature = 'ninja:translations';
protected $signature = 'ninja:translations {--type=} {--path=}';
/**
* The console command description.
@ -36,8 +36,11 @@ class TranslationsExport extends Command
*/
protected $description = 'Transform translations to json';
protected $log = '';
private array $langs = [
'ar',
'bg',
'ca',
'cs',
'da',
@ -47,10 +50,12 @@ class TranslationsExport extends Command
'en_GB',
'es',
'es_ES',
'et',
'fa',
'fi',
'fr',
'fr_CA',
'he',
'hr',
'it',
'ja',
@ -65,7 +70,9 @@ class TranslationsExport extends Command
'ro',
'ru_RU',
'sl',
'sk',
'sq',
'sr',
'sv',
'th',
'tr_TR',
@ -88,6 +95,49 @@ class TranslationsExport extends Command
* @return mixed
*/
public function handle()
{
$type =$this->option('type') ?? 'export';
if($type == 'import')
$this->import();
if($type == 'export')
$this->export();
}
private function import()
{
//loop and
foreach($this->langs as $lang)
{
$import_file = "textsphp_{$lang}.php";
$dir = $this->option('path') ?? storage_path('lang_import/');
$path = $dir.$import_file;
if(file_exists($path)){
$this->logMessage($path);
$trans = file_get_contents($path);
file_put_contents(lang_path("/{$lang}/texts.php"), $trans);
}
else{
$this->logMessage("Could not open file");
$this->logMessage($path);
}
}
}
private function export()
{
Storage::disk('local')->makeDirectory('lang');
@ -97,6 +147,14 @@ class TranslationsExport extends Command
$translations = Lang::getLoader()->load($lang, 'texts');
Storage::disk('local')->put("lang/{$lang}/{$lang}.json", json_encode(Arr::dot($translations), JSON_UNESCAPED_UNICODE));
}
}
}
private function logMessage($str)
{
$str = date('Y-m-d h:i:s').' '.$str;
$this->info($str);
$this->log .= $str."\n";
}
}

View File

@ -0,0 +1,124 @@
<?php
/**
* Invoice Ninja (https://invoiceninja.com).
*
* @link https://github.com/invoiceninja/invoiceninja source repository
*
* @copyright Copyright (c) 2022. Invoice Ninja LLC (https://invoiceninja.com)
*
* @license https://www.elastic.co/licensing/elastic-license
*/
namespace App\Filters;
use App\Models\Expense;
use App\Models\User;
use Illuminate\Database\Eloquent\Builder;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Gate;
/**
* ExpenseCategoryFilters.
*/
class ExpenseCategoryFilters extends QueryFilters
{
/**
* Filter based on search text.
*
* @param string query filter
* @return Builder
* @deprecated
*/
public function filter(string $filter = '') : Builder
{
if (strlen($filter) == 0) {
return $this->builder;
}
return $this->builder->where('expense_categories.name', 'like', '%'.$filter.'%');
}
/**
* Filters the list based on the status
* archived, active, deleted.
*
* @param string filter
* @return Builder
*/
public function status(string $filter = '') : Builder
{
if (strlen($filter) == 0) {
return $this->builder;
}
$table = 'expense_categories';
$filters = explode(',', $filter);
return $this->builder->where(function ($query) use ($filters, $table) {
$query->whereNull($table.'.id');
if (in_array(parent::STATUS_ACTIVE, $filters)) {
$query->orWhereNull($table.'.deleted_at');
}
if (in_array(parent::STATUS_ARCHIVED, $filters)) {
$query->orWhere(function ($query) use ($table) {
$query->whereNotNull($table.'.deleted_at');
if (! in_array($table, ['users'])) {
$query->where($table.'.is_deleted', '=', 0);
}
});
}
if (in_array(parent::STATUS_DELETED, $filters)) {
$query->orWhere($table.'.is_deleted', '=', 1);
}
});
}
/**
* Sorts the list based on $sort.
*
* @param string sort formatted as column|asc
* @return Builder
*/
public function sort(string $sort) : Builder
{
$sort_col = explode('|', $sort);
if (is_array($sort_col) && in_array($sort_col[1], ['asc', 'desc']) && in_array($sort_col[0], ['name'])) {
return $this->builder->orderBy($sort_col[0], $sort_col[1]);
}
return $this->builder;
}
/**
* Returns the base query.
*
* @param int company_id
* @param User $user
* @return Builder
* @deprecated
*/
public function baseQuery(int $company_id, User $user) : Builder
{
return $this->builder;
}
/**
* Filters the query by the users company ID.
*
* @return Illuminate\Database\Query\Builder
*/
public function entityFilter()
{
//return $this->builder->whereCompanyId(auth()->user()->company()->id);
return $this->builder->company();
}
}

View File

@ -84,12 +84,17 @@ class PaymentFilters extends QueryFilters
/**
* Returns a list of payments that can be matched to bank transactions
*/
public function match_transactions($value = '')
public function match_transactions($value = 'true') :Builder
{
if($value == 'true')
{
return $this->builder->where('is_deleted',0)->whereNull('transaction_id');
if($value == 'true'){
return $this->builder
->where('is_deleted',0)
->where(function ($query){
$query->whereNull('transaction_id')
->orWhere("transaction_id","");
});
}
return $this->builder;

View File

@ -226,12 +226,6 @@ abstract class QueryFilters
return $this->builder->where('is_deleted', 0);
}
// if($value == 'true'){
// $this->builder->withTrashed();
// }
return $this->builder;
}

View File

@ -12,12 +12,14 @@
namespace App\Http\Controllers;
use App\Factory\ExpenseCategoryFactory;
use App\Filters\ExpenseCategoryFilters;
use App\Http\Requests\ExpenseCategory\CreateExpenseCategoryRequest;
use App\Http\Requests\ExpenseCategory\DestroyExpenseCategoryRequest;
use App\Http\Requests\ExpenseCategory\EditExpenseCategoryRequest;
use App\Http\Requests\ExpenseCategory\ShowExpenseCategoryRequest;
use App\Http\Requests\ExpenseCategory\StoreExpenseCategoryRequest;
use App\Http\Requests\ExpenseCategory\UpdateExpenseCategoryRequest;
use App\Models\Expense;
use App\Models\ExpenseCategory;
use App\Repositories\BaseRepository;
use App\Transformers\ExpenseCategoryTransformer;
@ -79,13 +81,15 @@ class ExpenseCategoryController extends BaseController
*
* @return Response
*/
public function index()
public function index(ExpenseCategoryFilters $filters)
{
$expense_categories = ExpenseCategory::scope();
$expense_categories = ExpenseCategory::filter($filters);
return $this->listResponse($expense_categories);
}
/**
* Show the form for creating a new resource.
*

View File

@ -402,7 +402,6 @@ class BillingPortalPurchasev2 extends Component
}
return $this;
}
@ -450,6 +449,8 @@ class BillingPortalPurchasev2 extends Component
$this->buildBundle();
nlog($this->bundle);
return $this;
}
@ -535,7 +536,16 @@ class BillingPortalPurchasev2 extends Component
$this->emit('beforePaymentEventsCompleted');
}
public function handleTrial()
{
return $this->subscription->service()->startTrial([
'email' => $this->email ?? $this->contact->email,
'quantity' => $this->quantity,
'contact_id' => $this->contact->id,
'client_id' => $this->contact->client->id,
'bundle' => $this->bundle,
]);
}

View File

@ -64,21 +64,22 @@ class MatchBankTransactionRequest extends Request
if(array_key_exists('payment_id', $inputs['transactions'][$key]) && strlen($inputs['transactions'][$key]['payment_id']) >= 1){
$inputs['transactions'][$key]['payment_id'] = $this->decodePrimaryKey($inputs['transactions'][$key]['payment_id']);
$p = Payment::withTrashed()->find($inputs['transactions'][$key]['payment_id']);
$p = Payment::withTrashed()->where('company_id', auth()->user()->company()->id)->where('id', $inputs['transactions'][$key]['payment_id'])->first();
/*Ensure we don't relink an existing payment*/
if(!$p || $p->transaction_id)
$inputs['transactions'][$key]['payment_id'] = null;
if(!$p || is_numeric($p->transaction_id)){
unset($inputs['transactions'][$key]);
}
}
if(array_key_exists('expense_id', $inputs['transactions'][$key]) && strlen($inputs['transactions'][$key]['expense_id']) >= 1){
$inputs['transactions'][$key]['expense_id'] = $this->decodePrimaryKey($inputs['transactions'][$key]['expense_id']);
$e = Expense::withTrashed()->find($inputs['transactions'][$key]['expense_id']);
$e = Expense::withTrashed()->where('company_id', auth()->user()->company()->id)->where('id', $inputs['transactions'][$key]['expense_id'])->first();
/*Ensure we don't relink an existing expense*/
if(!$e || $e->transaction_id)
$inputs['transactions'][$key]['expense_id'] = null;
if(!$e || is_numeric($e->transaction_id))
unset($inputs['transactions'][$key]['expense_id']);
}

View File

@ -111,13 +111,15 @@ class MatchBankTransactions implements ShouldQueue
foreach($this->input as $input)
{
if(array_key_exists('invoice_ids', $input) && strlen($input['invoice_ids']) > 1)
nlog($input);
if(array_key_exists('invoice_ids', $input) && strlen($input['invoice_ids']) >= 1)
$this->matchInvoicePayment($input);
elseif(array_key_exists('payment_id', $input) && strlen($input['payment_id']) > 1)
elseif(array_key_exists('payment_id', $input) && strlen($input['payment_id']) >= 1)
$this->linkPayment($input);
elseif(array_key_exists('expense_id', $input) && strlen($input['expense_id']) > 1)
elseif(array_key_exists('expense_id', $input) && strlen($input['expense_id']) >= 1)
$this->linkExpense($input);
else
elseif((array_key_exists('vendor_id', $input) && strlen($input['vendor_id']) >= 1) || (array_key_exists('ninja_category_id', $input) && strlen($input['ninja_category_id']) >= 1))
$this->matchExpense($input);
}
@ -246,7 +248,6 @@ class MatchBankTransactions implements ShouldQueue
if(!$this->bt || $this->bt->status_id == BankTransaction::STATUS_CONVERTED)
return $this;
$expense = ExpenseFactory::create($this->bt->company_id, $this->bt->user_id);
$expense->category_id = $this->resolveCategory($input);
$expense->amount = $this->bt->amount;

View File

@ -99,7 +99,6 @@ class SendRecurring implements ShouldQueue
/* 09-01-2022 ensure we create the PDFs at this point in time! */
$invoice->service()->touchPdf(true);
//nlog('updating recurring invoice dates');
/* Set next date here to prevent a recurring loop forming */
$this->recurring_invoice->next_send_date = $this->recurring_invoice->nextSendDate();
$this->recurring_invoice->next_send_date_client = $this->recurring_invoice->nextSendDateClient();
@ -111,10 +110,6 @@ class SendRecurring implements ShouldQueue
$this->recurring_invoice->setCompleted();
}
//nlog('next send date = '.$this->recurring_invoice->next_send_date);
// nlog('remaining cycles = '.$this->recurring_invoice->remaining_cycles);
//nlog('last send date = '.$this->recurring_invoice->last_sent_date);
$this->recurring_invoice->save();
event('eloquent.created: App\Models\Invoice', $invoice);
@ -125,8 +120,6 @@ class SendRecurring implements ShouldQueue
$invoice->entityEmailEvent($invoice->invitations->first(), 'invoice', 'email_template_invoice');
}
nlog("Invoice {$invoice->number} created");
$invoice->invitations->each(function ($invitation) use ($invoice) {
if ($invitation->contact && ! $invitation->contact->trashed() && strlen($invitation->contact->email) >= 1 && $invoice->client->getSetting('auto_email_invoice')) {
try {
@ -140,15 +133,14 @@ class SendRecurring implements ShouldQueue
});
}
if ($invoice->client->getSetting('auto_bill_date') == 'on_send_date' && $invoice->auto_bill_enabled) {
//auto bill, BUT NOT DRAFTS!!
if ($invoice->auto_bill_enabled && $invoice->client->getSetting('auto_bill_date') == 'on_send_date' && $invoice->client->getSetting('auto_email_invoice')) {
nlog("attempting to autobill {$invoice->number}");
// $invoice->service()->autoBill();
AutoBill::dispatch($invoice->id, $this->db)->delay(rand(1,2));
} elseif ($invoice->client->getSetting('auto_bill_date') == 'on_due_date' && $invoice->auto_bill_enabled) {
} elseif ($invoice->auto_bill_enabled && $invoice->client->getSetting('auto_bill_date') == 'on_due_date' && $invoice->client->getSetting('auto_email_invoice')) {
if ($invoice->due_date && Carbon::parse($invoice->due_date)->startOfDay()->lte(now()->startOfDay())) {
nlog("attempting to autobill {$invoice->number}");
// $invoice->service()->autoBill();
AutoBill::dispatch($invoice->id, $this->db)->delay(rand(1,2));
}
}

View File

@ -11,13 +11,15 @@
namespace App\Models;
use App\Models\Filterable;
use Illuminate\Database\Eloquent\Relations\BelongsTo;
use Illuminate\Database\Eloquent\SoftDeletes;
class ExpenseCategory extends BaseModel
{
use SoftDeletes;
use Filterable;
protected $fillable = [
'name',
'color',

View File

@ -16,6 +16,7 @@ use App\Factory\ExpenseFactory;
use App\Libraries\Currency\Conversion\CurrencyApi;
use App\Models\Expense;
use App\Utils\Traits\GeneratesCounter;
use Carbon\Exceptions\InvalidFormatException;
use Illuminate\Support\Carbon;
use Illuminate\Database\QueryException;
@ -31,12 +32,12 @@ class ExpenseRepository extends BaseRepository
/**
* Saves the expense and its contacts.
*
* @param array $data The data
* @param \App\Models\Expense $expense The expense
* @param array $data The data
* @param \App\Models\Expense $expense The expense
*
* @return \App\Models\Expense|null expense Object
* @return \App\Models\Expense
*/
public function save(array $data, Expense $expense): ?Expense
public function save(array $data, Expense $expense): Expense
{
$expense->fill($data);
@ -71,6 +72,12 @@ class ExpenseRepository extends BaseRepository
);
}
/**
* @param mixed $data
* @param mixed $expense
* @return Expense
* @throws InvalidFormatException
*/
public function processExchangeRates($data, $expense): Expense
{
if (array_key_exists('exchange_rate', $data) && isset($data['exchange_rate']) && $data['exchange_rate'] != 1) {

View File

@ -166,7 +166,11 @@ class SubscriptionService
//create recurring invoice with start date = trial_duration + 1 day
$recurring_invoice_repo = new RecurringInvoiceRepository();
$recurring_invoice = $this->convertInvoiceToRecurring($client_contact->client_id);
if(isset($data['bundle']))
$recurring_invoice = $this->convertInvoiceToRecurringBundle($client_contact->client_id, $data['bundle']->map(function ($bundle){ return (object) $bundle;}));
else
$recurring_invoice = $this->convertInvoiceToRecurring($client_contact->client_id);
$recurring_invoice->next_send_date = now()->addSeconds($this->subscription->trial_duration);
$recurring_invoice->next_send_date_client = now()->addSeconds($this->subscription->trial_duration);
$recurring_invoice->backup = 'is_trial';
@ -181,7 +185,6 @@ class SubscriptionService
$recurring_invoice->is_amount_discount = $this->subscription->is_amount_discount;
}
$recurring_invoice = $recurring_invoice_repo->save($data, $recurring_invoice);
/* Start the recurring service */

View File

@ -14,8 +14,8 @@ return [
'require_https' => env('REQUIRE_HTTPS', true),
'app_url' => rtrim(env('APP_URL', ''), '/'),
'app_domain' => env('APP_DOMAIN', 'invoicing.co'),
'app_version' => '5.5.48',
'app_tag' => '5.5.48',
'app_version' => '5.5.49',
'app_tag' => '5.5.49',
'minimum_client_version' => '5.0.16',
'terms_version' => '1.0.1',
'api_secret' => env('API_SECRET', ''),

View File

@ -153,12 +153,12 @@ $LANG = array(
'enter_credit' => 'أدخل الائتمان',
'last_logged_in' => 'آخر تسجيل دخول',
'details' => 'تفاصيل',
'standing' => 'Standing',
'standing' => 'احتياط',
'credit' => 'دائن',
'activity' => 'نشاط',
'date' => 'تاريخ',
'message' => 'رسالة',
'adjustment' => 'Adjustment',
'adjustment' => 'تعديل سعر شراء',
'are_you_sure' => 'هل أنت متأكد؟',
'payment_type_id' => 'نوع الدفعة',
'amount' => 'القيمة',
@ -195,7 +195,8 @@ $LANG = array(
'csv_file' => 'ملف CSV',
'export_clients' => 'تصدير معلومات العميل',
'created_client' => 'تم إنشاء العميل بنجاح',
'created_clients' => 'Successfully created :count client(s)',
'created_clients' => 'تم الإنشاء بنجاح: حساب العميل (العملاء)
 ',
'updated_settings' => 'تم تعديل الإعدادات بنجاح',
'removed_logo' => 'تمت إزالة الشعار بنجاح',
'sent_message' => 'تم إرسال الرسالة بنجاح',
@ -203,7 +204,8 @@ $LANG = array(
'limit_clients' => 'نعتذر, ستتجاوز الحد المسموح به من العملاء المقدر ب :count . الرجاء الترقيه الى النسخه المدفوعه.',
'payment_error' => 'كان هناك خطأ في معالجة الدفع الخاص بك. الرجاء معاودة المحاولة في وقت لاحق',
'registration_required' => 'يرجى التسجيل لإرسال فاتورة بالبريد الإلكتروني',
'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
'confirmation_required' => 'يرجى تأكيد عنوان بريدك الإلكتروني: رابط لإعادة إرسال رسالة التأكيد عبر البريد الإلكتروني.
 ',
'updated_client' => 'تم تحديث العميل بنجاح',
'archived_client' => 'تمت أرشفة العميل بنجاح',
'archived_clients' => 'تمت أرشفته :count عملاء بنجاح',
@ -213,13 +215,13 @@ $LANG = array(
'created_invoice' => 'تم انشاء الفاتورة بنجاح',
'cloned_invoice' => 'تم نسخ الفاتورة بنجاح',
'emailed_invoice' => 'تم ارسال الفاتورة الى البريد بنجاح',
'and_created_client' => 'and created client',
'and_created_client' => 'وانشاء عميل',
'archived_invoice' => 'تمت أرشفة الفاتورة بنجاح',
'archived_invoices' => 'تم ارشفة :count فواتير بنجاح',
'deleted_invoice' => 'تم حذف الفاتورة بنجاح',
'deleted_invoices' => 'تم حذف :count فواتير بنجاح',
'created_payment' => 'تم إنشاء الدفع بنجاح',
'created_payments' => 'تم انشاء :count عملية دفع (مدفوعات) بنجاح',
'created_payments' => 'تم انشاء عملية دفع (مدفوعات) بنجاح',
'archived_payment' => 'تمت أرشفة الدفع بنجاح',
'archived_payments' => 'تمت ارشفة :count مدفوعات بنجاح',
'deleted_payment' => 'تم حذف الدفع بنجاح',
@ -254,6 +256,8 @@ $LANG = array(
'notification_invoice_paid' => 'A payment of :amount was made by client :client towards Invoice :invoice.',
'notification_invoice_sent' => 'The following client :client was emailed Invoice :invoice for :amount.',
'notification_invoice_viewed' => 'The following client :client viewed Invoice :invoice for :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'You can reset your account password by clicking the following button:',
'secure_payment' => 'دفع امن',
'card_number' => 'رقم البطاقة',
@ -262,15 +266,15 @@ $LANG = array(
'cvv' => 'CVV',
'logout' => 'تسجيل الخروج',
'sign_up_to_save' => 'سجل دخول لحفظ عملك',
'agree_to_terms' => 'أنا أوافق على :terms',
'agree_to_terms' => 'أنا أوافق على :الشروط',
'terms_of_service' => 'شروط الخدمة',
'email_taken' => 'عنوان البريد الإلكتروني مسجل بالفعل',
'working' => 'Working',
'working' => 'عمل',
'success' => 'نجاح',
'success_message' => 'لقد قمت بالتسجيل بنجاح! يرجى زيارة الرابط في البريد الإلكتروني لتأكيد الحساب للتحقق من عنوان بريدك الإلكتروني.',
'erase_data' => 'حسابك غير مسجل ، سيؤدي ذلك إلى محو بياناتك بشكل دائم.',
'password' => 'كلمة السر',
'pro_plan_product' => 'خطة Pro',
'pro_plan_product' => 'خطة حساب',
'pro_plan_success' => 'Thanks for choosing Invoice Ninja\'s Pro plan!<p/>&nbsp;<br/>
<b>Next Steps</b><p/>A payable invoice has been sent to the email
address associated with your account. To unlock all of the awesome
@ -542,7 +546,7 @@ $LANG = array(
'recurring' => 'Recurring',
'last_invoice_sent' => 'Last invoice sent :date',
'processed_updates' => 'Successfully completed update',
'tasks' => 'Tasks',
'tasks' => 'المهام',
'new_task' => 'New Task',
'start_time' => 'Start Time',
'created_task' => 'Successfully created task',
@ -574,12 +578,12 @@ $LANG = array(
'invoiced' => 'Invoiced',
'logged' => 'Logged',
'running' => 'Running',
'task_error_multiple_clients' => 'The tasks can\'t belong to different clients',
'task_error_running' => 'Please stop running tasks first',
'task_error_invoiced' => 'Tasks have already been invoiced',
'task_error_multiple_clients' => 'لا يمكن أن تنتمي المهام إلى عملاء مختلفين',
'task_error_running' => 'من فضلك توقف عن تشغيل المهام أولا',
'task_error_invoiced' => 'تم بالفعل إصدار فاتورة بالمهام',
'restored_task' => 'Successfully restored task',
'archived_task' => 'Successfully archived task',
'archived_tasks' => 'Successfully archived :count tasks',
'archived_tasks' => 'تمت أرشفته بنجاح: عد المهام',
'deleted_task' => 'Successfully deleted task',
'deleted_tasks' => 'Successfully deleted :count tasks',
'create_task' => 'Create Task',
@ -1123,18 +1127,18 @@ $LANG = array(
'december' => 'December',
// Documents
'documents_header' => 'Documents:',
'email_documents_header' => 'Documents:',
'documents_header' => 'الملفات',
'email_documents_header' => 'الملفات',
'email_documents_example_1' => 'Widgets Receipt.pdf',
'email_documents_example_2' => 'Final Deliverable.zip',
'quote_documents' => 'Quote Documents',
'invoice_documents' => 'Invoice Documents',
'quote_documents' => 'اقتباس ملفات',
'invoice_documents' => 'فاتورة ملفات',
'expense_documents' => 'Expense Documents',
'invoice_embed_documents' => 'Embed Documents',
'invoice_embed_documents_help' => 'Include attached images in the invoice.',
'document_email_attachment' => 'Attach Documents',
'document_email_attachment' => 'ارفاق المستندات',
'ubl_email_attachment' => 'Attach UBL',
'download_documents' => 'Download Documents (:size)',
'download_documents' => 'تنزيل الملفات (:حجم)',
'documents_from_expenses' => 'From Expenses:',
'dropzone_default_message' => 'Drop files or click to upload',
'dropzone_default_message_disabled' => 'Uploads disabled',
@ -1146,7 +1150,7 @@ $LANG = array(
'dropzone_cancel_upload' => 'Cancel upload',
'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
'dropzone_remove_file' => 'Remove file',
'documents' => 'Documents',
'documents' => 'المستندات',
'document_date' => 'Document Date',
'document_size' => 'Size',
@ -1269,7 +1273,7 @@ $LANG = array(
'company_account' => 'Company Account',
'account_holder_name' => 'Account Holder Name',
'add_account' => 'Add Account',
'payment_methods' => 'Payment Methods',
'payment_methods' => 'طرق الدفع',
'complete_verification' => 'Complete Verification',
'verification_amount1' => 'Amount 1',
'verification_amount2' => 'Amount 2',
@ -2105,9 +2109,9 @@ $LANG = array(
'group_when_sorted' => 'Group Sort',
'group_dates_by' => 'Group Dates By',
'year' => 'Year',
'view_statement' => 'View Statement',
'statement' => 'Statement',
'statement_date' => 'Statement Date',
'view_statement' => 'عرض كشف حساب',
'statement' => 'كشف حساب',
'statement_date' => 'تاريخ كشف الحساب',
'mark_active' => 'Mark Active',
'send_automatically' => 'Send Automatically',
'initial_email' => 'Initial Email',
@ -2142,9 +2146,9 @@ $LANG = array(
'profile' => 'Profile',
'payment_type_help' => 'Sets the default <b>manual payment type</b>.',
'industry_Construction' => 'Construction',
'your_statement' => 'Your Statement',
'your_statement' => 'كشف حساباتك',
'statement_issued_to' => 'Statement issued to',
'statement_to' => 'Statement to',
'statement_to' => 'كشف حساب لـ',
'customize_options' => 'Customize options',
'created_payment_term' => 'Successfully created payment term',
'updated_payment_term' => 'Successfully updated payment term',
@ -2332,7 +2336,7 @@ $LANG = array(
'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
'downloaded_quotes' => 'An email will be sent with the quote PDFs',
'clone_expense' => 'Clone Expense',
'default_documents' => 'Default Documents',
'default_documents' => 'المستندات الافتراضية',
'send_email_to_client' => 'Send email to the client',
'refund_subject' => 'Refund Processed',
'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
@ -2506,6 +2510,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -2619,7 +2624,7 @@ $LANG = array(
'verification_file_missing' => 'The verification file is needed to accept payments.',
'apple_pay_domain' => 'Use <code>:domain</code> as the domain in :link.',
'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
'optional_payment_methods' => 'Optional Payment Methods',
'optional_payment_methods' => 'اعدادات طرق الدفع',
'add_subscription' => 'Add Subscription',
'target_url' => 'Target',
'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
@ -2645,7 +2650,7 @@ $LANG = array(
'subscription_event_19' => 'Updated Task',
'subscription_event_20' => 'Deleted Task',
'subscription_event_21' => 'Approved Quote',
'subscriptions' => 'Subscriptions',
'subscriptions' => 'الاشتراكات',
'updated_subscription' => 'Successfully updated subscription',
'created_subscription' => 'Successfully created subscription',
'edit_subscription' => 'Edit Subscription',
@ -2841,7 +2846,7 @@ $LANG = array(
'client_must_be_active' => 'Error: the client must be active',
'purge_client' => 'Purge Client',
'purged_client' => 'Successfully purged client',
'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
'purge_client_warning' => 'سيتم أيضًا حذف جميع السجلات ذات الصلة (الفواتير والمهام والمصروفات والمستندات وما إلى ذلك).',
'clone_product' => 'Clone Product',
'item_details' => 'Item Details',
'send_item_details_help' => 'Send line item details to the payment gateway.',
@ -3018,7 +3023,7 @@ $LANG = array(
'from_name_placeholder' => 'Support Center',
'attachments' => 'Attachments',
'client_upload' => 'Client uploads',
'enable_client_upload_help' => 'Allow clients to upload documents/attachments',
'enable_client_upload_help' => 'السماح للعملاء بتحميل المستندات / المرفقات',
'max_file_size_help' => 'Maximum file size (KB) is limited by your post_max_size and upload_max_filesize variables as set in your PHP.INI',
'max_file_size' => 'Maximum file size',
'mime_types' => 'Mime types',
@ -3196,7 +3201,7 @@ $LANG = array(
'custom_javascript' => 'Custom JavaScript',
'portal_mode' => 'Portal Mode',
'attach_pdf' => 'Attach PDF',
'attach_documents' => 'Attach Documents',
'attach_documents' => 'ارفاق مستندات',
'attach_ubl' => 'Attach UBL',
'email_style' => 'Email Style',
'processed' => 'Processed',
@ -3693,7 +3698,7 @@ $LANG = array(
'force_update_help' => 'You are running the latest version but there may be pending fixes available.',
'mark_paid_help' => 'Track the expense has been paid',
'mark_invoiceable_help' => 'تفعيل النفقات لتتم فوترتها',
'add_documents_to_invoice_help' => 'Make the documents visible to client',
'add_documents_to_invoice_help' => 'اجعل المستندات مرئية للعميل',
'convert_currency_help' => 'Set an exchange rate',
'expense_settings' => 'Expense Settings',
'clone_to_recurring' => 'Clone to Recurring',
@ -3847,9 +3852,9 @@ $LANG = array(
'archived_groups' => 'Successfully archived :value groups',
'deleted_groups' => 'Successfully deleted :value groups',
'restored_groups' => 'Successfully restored :value groups',
'archived_documents' => 'Successfully archived :value documents',
'deleted_documents' => 'Successfully deleted :value documents',
'restored_documents' => 'Successfully restored :value documents',
'archived_documents' => 'تمت أرشفته بنجاح: مستندات القيمة',
'deleted_documents' => 'تمت عملية الحذف بنجاح: مستندات القيمة',
'restored_documents' => 'تمت الاستعادة بنجاح: مستندات القيمة',
'restored_vendors' => 'Successfully restored :value vendors',
'restored_expenses' => 'Successfully restored :value expenses',
'restored_tasks' => 'Successfully restored :value tasks',
@ -3886,7 +3891,7 @@ $LANG = array(
'converted_balance' => 'Converted Balance',
'is_sent' => 'Is Sent',
'document_upload' => 'Document Upload',
'document_upload_help' => 'Enable clients to upload documents',
'document_upload_help' => 'تمكين العملاء من تحميل المستندات',
'expense_total' => 'إجمالي المصروف',
'enter_taxes' => 'أدخل الضرائب',
'by_rate' => 'بالنسبة',
@ -3962,7 +3967,7 @@ $LANG = array(
'list_of_payments' => 'List of payments',
'payment_details' => 'Details of the payment',
'list_of_payment_invoices' => 'List of invoices affected by the payment',
'list_of_payment_methods' => 'List of payment methods',
'list_of_payment_methods' => 'قائمة طرق الدفع',
'payment_method_details' => 'Details of payment method',
'permanently_remove_payment_method' => 'Permanently remove this payment method.',
'warning_action_cannot_be_reversed' => 'Warning! This action can not be reversed!',
@ -4068,7 +4073,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4106,7 +4111,7 @@ $LANG = array(
'company_user_not_found' => 'Company User record not found',
'no_credits_found' => 'No credits found.',
'action_unavailable' => 'The requested action :action is not available.',
'no_documents_found' => 'No Documents Found',
'no_documents_found' => 'لم يتم العثور على مستندات',
'no_group_settings_found' => 'No group settings found',
'access_denied' => 'Insufficient privileges to access/modify this resource',
'invoice_cannot_be_marked_paid' => 'Invoice cannot be marked as paid',
@ -4141,7 +4146,7 @@ $LANG = array(
'recurring_cancellation_request' => 'Request for recurring invoice cancellation from :contact',
'recurring_cancellation_request_body' => ':contact from Client :client requested to cancel Recurring Invoice :invoice',
'hello' => 'أهلاً',
'group_documents' => 'Group documents',
'group_documents' => 'وثائق المجموعة',
'quote_approval_confirmation_label' => 'Are you sure you want to approve this quote?',
'migration_select_company_label' => 'Select companies to migrate',
'force_migration' => 'Force migration',
@ -4197,7 +4202,7 @@ $LANG = array(
'removed_subscription' => 'Successfully removed subscription',
'restored_subscription' => 'Successfully restored subscription',
'search_subscription' => 'Search 1 Subscription',
'search_subscriptions' => 'Search :count Subscriptions',
'search_subscriptions' => 'بحث: حساب الاشتراكات',
'subdomain_is_not_available' => 'Subdomain is not available',
'connect_gmail' => 'Connect Gmail',
'disconnect_gmail' => 'Disconnect Gmail',
@ -4208,7 +4213,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4216,7 +4220,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'الفاتورة التالية: تم إنشاء الفاتورة للعميل: العميل مقابل: المبلغ.
 ',
'notification_invoice_created_subject' => 'الفاتورة: فاتورة تم إنشاؤها من أجل: العميل
@ -4254,7 +4257,7 @@ $LANG = array(
'user_duplicate_error' => 'Cannot add the same user to the same company',
'user_cross_linked_error' => 'User exists but cannot be crossed linked to multiple accounts',
'ach_verification_notification_label' => 'ACH verification',
'ach_verification_notification' => 'Connecting bank accounts require verification. Payment gateway will automatically send two small deposits for this purpose. These deposits take 1-2 business days to appear on the customer\'s online statement.',
'ach_verification_notification' => 'يتطلب ربط الحسابات المصرفية التحقق. سترسل بوابة الدفع تلقائيًا إيداعين صغيرين لهذا الغرض. تستغرق هذه الإيداعات من يوم إلى يومي عمل لتظهر في كشف حساب العميل عبر الإنترنت',
'login_link_requested_label' => 'Login link requested',
'login_link_requested' => 'There was a request to login using link. If you did not request this, it\'s safe to ignore it.',
'invoices_backup_subject' => 'الفاتوره جاهزه للحفظ',
@ -4301,7 +4304,7 @@ $LANG = array(
'savings' => 'Savings',
'unable_to_verify_payment_method' => 'Unable to verify payment method.',
'generic_gateway_error' => 'Gateway configuration error. Please check your credentials.',
'my_documents' => 'My documents',
'my_documents' => 'مستنداتي',
'payment_method_cannot_be_preauthorized' => 'This payment method cannot be preauthorized.',
'kbc_cbc' => 'KBC/CBC',
'bancontact' => 'Bancontact',
@ -4313,6 +4316,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4555,7 +4559,7 @@ $LANG = array(
'small' => 'Small',
'quotes_backup_subject' => 'Your quotes are ready for download',
'credits_backup_subject' => 'Your credits are ready for download',
'document_download_subject' => 'Your documents are ready for download',
'document_download_subject' => 'مستنداتك جاهزة للتحميل',
'reminder_message' => 'Reminder for invoice :number for :balance',
'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials',
'gmail_credentials_invalid_body' => 'Your GMail credentials are not correct, please log into the administrator portal and navigate to Settings > User Details and disconnect and reconnect your GMail account. We will send you this notification daily until this issue is resolved',
@ -4583,9 +4587,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4660,7 +4664,7 @@ $LANG = array(
'added_purchase_orders_to_inventory' => 'Successfully added purchase orders to inventory',
'client_document_upload' => 'Client Document Upload',
'vendor_document_upload' => 'Vendor Document Upload',
'vendor_document_upload_help' => 'Enable vendors to upload documents',
'vendor_document_upload_help' => 'تمكن البائعين من تحميل المستندات',
'are_you_enjoying_the_app' => 'Are you enjoying the app?',
'yes_its_great' => 'Yes, it"s great!',
'not_so_much' => 'Not so much',
@ -4796,8 +4800,134 @@ $LANG = array(
'invoice_task_project' => 'مشروع مهمة الفاتورة',
'invoice_task_project_help' => 'أضف المشروع إلى بنود سطر الفاتورة',
'bulk_action' => 'أمر جماعي',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -255,6 +255,8 @@ $LANG = array(
'notification_invoice_paid' => 'Плащане на стойност :amount беше направено от :client към фактура :invoice.',
'notification_invoice_sent' => 'Фактура :invoice беше изпратена на :client на стойност :amount',
'notification_invoice_viewed' => 'Фактура :invoice на стойност :amount беше видяна от :client ',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Може да смените паролата си като кликнете на този бутон:',
'secure_payment' => 'Сигурно плащане',
'card_number' => 'Номер на карта',
@ -2502,6 +2504,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Приемане на Alipay',
'enable_sofort' => 'Приемане на банкови преводи от ЕС',
'stripe_alipay_help' => 'Тези портали трябва също да бъдат активирани в :link.',
@ -4062,7 +4065,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4201,7 +4204,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4209,7 +4211,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4295,6 +4296,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4565,9 +4567,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4778,8 +4780,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -249,6 +249,8 @@ $LANG = array(
'notification_invoice_paid' => 'A payment of :amount was made by client :client towards Invoice :invoice.',
'notification_invoice_sent' => 'The following client :client was emailed Invoice :invoice for :amount.',
'notification_invoice_viewed' => 'The following client :client viewed Invoice :invoice for :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'You can reset your account password by clicking the following button:',
'secure_payment' => 'Pagament segur',
'card_number' => 'Número de targeta',
@ -2496,6 +2498,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Acceptar transferències bancaries EU',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4056,7 +4059,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4195,7 +4198,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4203,7 +4205,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4289,6 +4290,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4559,9 +4561,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4772,8 +4774,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -200,7 +200,7 @@ $LANG = array(
'removed_logo' => 'Logo úspěšně odstraněno',
'sent_message' => 'Zpráva úspěšně odeslána',
'invoice_error' => 'Ujistěte se, že máte zvoleného klienta a opravte případné chyby',
'limit_clients' => 'Sorry, this will exceed the limit of :count clients. Please upgrade to a paid plan.',
'limit_clients' => 'Omlouváme se, toto přesáhne limit :count klientů. Prosím vylepšete svoji instalaci na placenou.',
'payment_error' => 'Nastala chyba během zpracování Vaší platby. Zkuste to prosím znovu později.',
'registration_required' => 'Pro odeslání faktury se prosím zaregistrujte',
'confirmation_required' => 'Prosím potvrďte vaší emailovou adresu. :link pro odeslání potvrzovacího emailu.',
@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Platba ve výši :amount byla provedena klientem :client za fakturu :invoice.',
'notification_invoice_sent' => 'Klientovi :client byla odeslána faktura :invoice za :amount.',
'notification_invoice_viewed' => 'Klient :client zobrazil fakturu :invoice za :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Své heslo můžete resetovat kliknutím na následující tlačítko:',
'secure_payment' => 'Bezpečná platba',
'card_number' => 'Číslo karty',
@ -779,27 +781,27 @@ $LANG = array(
'activity_27' => ':user obnovil platbu :payment',
'activity_28' => ':user obnovil :credit kredit',
'activity_29' => ':contact approved quote :quote for :client',
'activity_30' => ':user created vendor :vendor',
'activity_31' => ':user archived vendor :vendor',
'activity_32' => ':user deleted vendor :vendor',
'activity_33' => ':user restored vendor :vendor',
'activity_30' => ':user vytvořil dodavatele :vendor',
'activity_31' => ':user archivoval dodavatele :vendor',
'activity_32' => ':user smazal dodavatele :vendor',
'activity_33' => ':user obnovil dodavatele :vendor',
'activity_34' => ':user vytvořil výdaj :expense',
'activity_35' => ':user archived expense :expense',
'activity_36' => ':user deleted expense :expense',
'activity_37' => ':user restored expense :expense',
'activity_42' => ':user created task :task',
'activity_43' => ':user updated task :task',
'activity_44' => ':user archived task :task',
'activity_45' => ':user deleted task :task',
'activity_46' => ':user restored task :task',
'activity_47' => ':user updated expense :expense',
'activity_48' => ':user created user :user',
'activity_49' => ':user updated user :user',
'activity_50' => ':user archived user :user',
'activity_51' => ':user deleted user :user',
'activity_52' => ':user restored user :user',
'activity_53' => ':user marked sent :invoice',
'activity_54' => ':user paid invoice :invoice',
'activity_35' => ':user archivoval výdaj :expense',
'activity_36' => ':user smazal výdaj :expense',
'activity_37' => ':user obnovil výdaj :expense',
'activity_42' => ':user vytvořil úkol :task',
'activity_43' => ':user aktualizoval úkol :task',
'activity_44' => ':user archivoval úkol :task',
'activity_45' => ':user smazal úkol :task',
'activity_46' => ':user obnovil úkol :task',
'activity_47' => ':user aktualizoval výdaj :expense',
'activity_48' => ':user vytvořil uživatele :user',
'activity_49' => ':user aktualizoval uživatele :user',
'activity_50' => ':user archivoval uživatele :user',
'activity_51' => ':user smazal uživatele :user',
'activity_52' => ':user obnovil uživatele :user',
'activity_53' => ':user označil :invoice jako odeslanou',
'activity_54' => ':user zaplatil fakturu :invoice',
'activity_55' => ':contact odpověděl na tiket :ticket',
'activity_56' => ':user zobrazil tiket :ticket',
@ -828,12 +830,12 @@ $LANG = array(
'deleted_recurring_invoice' => 'Pravidelná faktura smazána',
'restore_recurring_invoice' => 'Obnovit pravidelnou fakturu',
'restored_recurring_invoice' => 'Pravidelná faktura obnovena',
'archive_recurring_quote' => 'Archive Recurring Quote',
'archived_recurring_quote' => 'Successfully archived recurring quote',
'archive_recurring_quote' => 'Archivovat pravidelnou nabídku',
'archived_recurring_quote' => 'Pravidelná nabídka úspěšně archivována',
'delete_recurring_quote' => 'Smazat pravidelnou nabídku',
'deleted_recurring_quote' => 'Successfully deleted recurring quote',
'deleted_recurring_quote' => 'Pravidelná nabídka úspěšně smazaná',
'restore_recurring_quote' => 'Obnovit pravidelnou nabídku',
'restored_recurring_quote' => 'Successfully restored recurring quote',
'restored_recurring_quote' => 'Pravidelná nabídka úspěšně obnovena',
'archived' => 'Archivováno',
'untitled_account' => 'Společnost bez názvu',
'before' => 'Před',
@ -877,17 +879,17 @@ $LANG = array(
'light' => 'Světlý',
'dark' => 'Tmavý',
'industry_help' => 'Používá se pro porovnání proti průměru u firem podobné velikosti a podobného odvětví.',
'subdomain_help' => 'Set the subdomain or display the invoice on your own website.',
'website_help' => 'Display the invoice in an iFrame on your own website',
'subdomain_help' => 'Nastavit subdoménu nebo zobrazit fakturu na vlastní webové stránce.',
'website_help' => 'Zobrazit fakturu v iframe tagu na vlastní webové stránce',
'invoice_number_help' => 'Určete prefix nebo použijte upravitelný vzorec pro nastavení číslování faktur.',
'quote_number_help' => 'Určete prefix nebo použijte upravitelný vzorec pro nastavení číslování nabídek.',
'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
'custom_client_fields_helps' => 'Přidat pole při vytváření klienta a voliteně zobrazit popisek a hodnotu v PDF.',
'custom_account_fields_helps' => 'Přidejte si pole a hodnotu k detailům společnosti na PDF.',
'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
'custom_invoice_charges_helps' => 'Přidejte si pole během vytváření faktury a zahrňte ho mezi poplatky do faktury.',
'token_expired' => 'Validační token expiroval. Prosím vyzkoušejte znovu.',
'invoice_link' => 'Odkaz na fakturu',
'button_confirmation_message' => 'Confirm your email.',
'button_confirmation_message' => 'Potvrďte váš email.',
'confirm' => 'Potvrzuji',
'email_preferences' => 'Email preference',
'created_invoices' => 'Úspěšně vytvořeno :count faktur',
@ -1040,7 +1042,7 @@ $LANG = array(
'newer_browser' => 'novější prohlížeč',
'white_label_custom_css' => ':link za $:price získáte volitelné úpravy a pomůžete podpoře našeho projektu.',
'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
'us_banks' => '400+ US banks',
'us_banks' => '400+ US bank',
'pro_plan_remove_logo' => ':link pro odstranění loga Invoice Ninja připojením se k profi plánu',
'pro_plan_remove_logo_link' => 'Klikněte zde',
@ -1050,7 +1052,7 @@ $LANG = array(
'email_error_inactive_client' => 'Emaily nemohou být odeslány neaktivním klientům',
'email_error_inactive_contact' => 'Emaily nemohou být odeslány neaktivním kontaktům',
'email_error_inactive_invoice' => 'Emaily nemohou být odeslány k neaktivním fakturám',
'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
'email_error_inactive_proposal' => 'Nelze poslat email k neaktivní nabídce',
'email_error_user_unregistered' => 'Pro odesílání emailů si prosím zaregistrujte účet',
'email_error_user_unconfirmed' => 'Pro posílání emailů potvrďte prosím Váš účet.',
'email_error_invalid_contact_email' => 'Neplatný kontaktní email',
@ -1074,13 +1076,13 @@ $LANG = array(
'invoiced_amount' => 'Fakturovaná částka',
'invoice_item_fields' => 'Pole položky faktury',
'custom_invoice_item_fields_help' => 'Během vytváření faktury si přidejte pole a zobrazte si jeho popis a hodnotu v PDF.',
'recurring_invoice_number' => 'Recurring Number',
'recurring_invoice_number_prefix_help' => 'Specify a prefix to be added to the invoice number for recurring invoices.',
'recurring_invoice_number' => 'Opakující se číslo',
'recurring_invoice_number_prefix_help' => 'Specifikujte prefix, který má být přidán k číslu faktury pro opakující se faktury.',
// Client Passwords
'enable_portal_password' => 'Password Protect Invoices',
'enable_portal_password_help' => 'Umožní Vám nastavit heslo pro každý kontakt. Pokud heslo nastavíte, tak kontakt ho bude pro zobrazení faktury vždy použít.',
'send_portal_password' => 'Generate Automatically',
'send_portal_password' => 'Generovat automaticky',
'send_portal_password_help' => 'Pokud heslo není nastaveno, bude vygenerováno a zasláno spolu s první fakturou.',
'expired' => 'Expirované',
@ -1137,7 +1139,7 @@ $LANG = array(
'download_documents' => 'Download Documents (:size)',
'documents_from_expenses' => 'From Expenses:',
'dropzone_default_message' => 'Drop files or click to upload',
'dropzone_default_message_disabled' => 'Uploads disabled',
'dropzone_default_message_disabled' => 'Nahrávání vypnuto',
'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
@ -1213,19 +1215,19 @@ $LANG = array(
// Payment updates
'refund_payment' => 'Refund Payment',
'refund_payment' => 'Vrátit platbu',
'refund_max' => 'Max:',
'refund' => 'Vrácení peněz',
'are_you_sure_refund' => 'Refund selected payments?',
'are_you_sure_refund' => 'Vrátit označené platby?',
'status_pending' => 'Nevyřížený',
'status_completed' => 'Dokončeno',
'status_failed' => 'Failed',
'status_partially_refunded' => 'Partially Refunded',
'status_partially_refunded_amount' => ':amount Refunded',
'status_failed' => 'Selhalo',
'status_partially_refunded' => 'Částečně vráceno',
'status_partially_refunded_amount' => ':amount vráceno',
'status_refunded' => 'Vráceny peníze',
'status_voided' => 'Zrušeno',
'refunded_payment' => 'Refunded Payment',
'activity_39' => ':user cancelled a :payment_amount payment :payment',
'refunded_payment' => 'Vrácená platba',
'activity_39' => ':user zrušil platbu :payment v hodnotě :payment_amount',
'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
'card_expiration' => 'Exp:&nbsp:expires',
@ -1256,7 +1258,7 @@ $LANG = array(
'public_key' => 'Veřejný klíč',
'plaid_optional' => '(volitelný)',
'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
'other_providers' => 'Other Providers',
'other_providers' => 'Ostatní provideři',
'country_not_supported' => 'Tato země není podporována',
'invalid_routing_number' => 'The routing number is not valid.',
'invalid_account_number' => 'The account number is not valid.',
@ -1269,11 +1271,11 @@ $LANG = array(
'company_account' => 'Firemní účet',
'account_holder_name' => 'Account Holder Name',
'add_account' => 'Přidat účet',
'payment_methods' => 'Payment Methods',
'complete_verification' => 'Complete Verification',
'payment_methods' => 'Platební metody',
'complete_verification' => 'Dokončit ověření',
'verification_amount1' => 'Částka 1',
'verification_amount2' => 'Částka 2',
'payment_method_verified' => 'Verification completed successfully',
'payment_method_verified' => 'Ověření úspěšně dokončeno',
'verification_failed' => 'Ověření selhalo',
'remove_payment_method' => 'Odstranit platební metodu',
'confirm_remove_payment_method' => 'Opravdu chcete odstranit tuto platební metodu?',
@ -1282,16 +1284,16 @@ $LANG = array(
'bank_account_verification_help' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement. Please enter the amounts below.',
'bank_account_verification_next_steps' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement.
Once you have the amounts, come back to this payment methods page and click "Complete Verification" next to the account.',
'unknown_bank' => 'Unknown Bank',
'unknown_bank' => 'Neznámá banka',
'ach_verification_delay_help' => 'You will be able to use the account after completing verification. Verification usually takes 1-2 business days.',
'add_credit_card' => 'Add Credit Card',
'payment_method_added' => 'Added payment method.',
'use_for_auto_bill' => 'Use For Autobill',
'used_for_auto_bill' => 'Autobill Payment Method',
'payment_method_set_as_default' => 'Set Autobill payment method.',
'add_credit_card' => 'Přidat kreditní kartu',
'payment_method_added' => 'Platební metoda přidána.',
'use_for_auto_bill' => 'Použít pro automatické platby',
'used_for_auto_bill' => 'Platební metoda pro automatické platby',
'payment_method_set_as_default' => 'Nastavit platební metodu pro automatické platby.',
'activity_41' => ':payment_amount payment (:payment) failed',
'webhook_url' => 'Webhook URL',
'stripe_webhook_help' => 'You must :link.',
'stripe_webhook_help' => 'Musíte :link.',
'stripe_webhook_help_link_text' => 'add this URL as an endpoint at Stripe',
'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
'payment_method_error' => 'There was an error adding your payment methd. Please try again later.',
@ -1301,7 +1303,7 @@ $LANG = array(
'link_manually' => 'Link Manually',
'secured_by_plaid' => 'Secured by Plaid',
'plaid_linked_status' => 'Your bank account at :bank',
'add_payment_method' => 'Add Payment Method',
'add_payment_method' => 'Přidat platební metodu',
'account_holder_type' => 'Account Holder Type',
'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
'ach_authorization_required' => 'You must consent to ACH transactions.',
@ -1312,7 +1314,7 @@ $LANG = array(
'opted_out' => 'Opted out',
'opted_in' => 'Opted in',
'manage_auto_bill' => 'Manage Auto-bill',
'enabled' => 'Enabled',
'enabled' => 'Zapnuto',
'paypal' => 'PayPal',
'braintree_enable_paypal' => 'Enable PayPal payments through BrainTree',
'braintree_paypal_disabled_help' => 'The PayPal gateway is processing PayPal payments',
@ -1323,7 +1325,7 @@ $LANG = array(
'no_payment_method_specified' => 'Žádná vybraná platební metoda',
'chart_type' => 'Chart Type',
'chart_type' => 'Typ grafu',
'format' => 'Formát',
'import_ofx' => 'Importovat OFX',
'ofx_file' => 'Soubor OFX',
@ -1910,7 +1912,7 @@ $LANG = array(
'week' => 'Week',
'month' => 'Měsíc',
'inactive_logout' => 'You have been logged out due to inactivity',
'reports' => 'Reports',
'reports' => 'Reporty',
'total_profit' => 'Total Profit',
'total_expenses' => 'Total Expenses',
'quote_to' => 'Nabídka pro',
@ -2501,6 +2503,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -3548,18 +3551,18 @@ $LANG = array(
'partially_refunded' => 'Partially Refunded',
'search_documents' => 'Search Documents',
'search_designs' => 'Search Designs',
'search_invoices' => 'Search Invoices',
'search_clients' => 'Search Clients',
'search_products' => 'Search Products',
'search_quotes' => 'Search Quotes',
'search_credits' => 'Search Credits',
'search_vendors' => 'Search Vendors',
'search_users' => 'Search Users',
'search_invoices' => 'Hledat fakturu',
'search_clients' => 'Hledat klienty',
'search_products' => 'Hledat produkty',
'search_quotes' => 'Hledat nabídky',
'search_credits' => 'Hledat kredity',
'search_vendors' => 'Hledat dodavatele',
'search_users' => 'Hledat uživatele',
'search_tax_rates' => 'Search Tax Rates',
'search_tasks' => 'Search Tasks',
'search_settings' => 'Search Settings',
'search_projects' => 'Hledat projekt',
'search_expenses' => 'Search Expenses',
'search_expenses' => 'Hledat výdaje',
'search_payments' => 'Search Payments',
'search_groups' => 'Search Groups',
'search_company' => 'Hledat firmu',
@ -3665,9 +3668,9 @@ $LANG = array(
'customize_and_preview' => 'Customize & Preview',
'search_document' => 'Search 1 Document',
'search_design' => 'Search 1 Design',
'search_invoice' => 'Search 1 Invoice',
'search_invoice' => 'Hledat 1 fakturu',
'search_client' => 'Search 1 Client',
'search_product' => 'Search 1 Product',
'search_product' => 'Hledat 1 produkt',
'search_quote' => 'Search 1 Quote',
'search_credit' => 'Search 1 Credit',
'search_vendor' => 'Search 1 Vendor',
@ -4061,7 +4064,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'Nová karta',
'new_bank_account' => 'Nový bankovní účet',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4200,7 +4203,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4208,7 +4210,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Klikněte pro pokračování',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Faktura :invoice byla vytvořena pro :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4294,6 +4295,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4564,9 +4566,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4777,8 +4779,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Transakce úspěšně konvertovány',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transakce',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Hledat v :count transakcích',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'En betaling pålydende :amount blev betalt af :client for faktura :invoice.',
'notification_invoice_sent' => 'En e-mail er blevet sendt til :client med faktura :invoice pålydende :amount.',
'notification_invoice_viewed' => ':client har set faktura :invoice pålydende :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Du kan nulstille din adgangskode ved at besøge følgende link:',
'secure_payment' => 'Sikker betaling',
'card_number' => 'Kortnummer',
@ -2500,6 +2502,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4060,7 +4063,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4199,7 +4202,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4207,7 +4209,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4293,6 +4294,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4563,9 +4565,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4776,8 +4778,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -66,11 +66,11 @@ $LANG = array(
'email_invoice' => 'Rechnung versenden',
'enter_payment' => 'Zahlung eingeben',
'tax_rates' => 'Steuersätze',
'rate' => 'Satz',
'rate' => 'Stundensatz',
'settings' => 'Einstellungen',
'enable_invoice_tax' => 'Ermögliche das Bestimmen einer <strong>Rechnungssteuer</strong>',
'enable_line_item_tax' => 'Ermögliche das Bestimmen von <strong>Steuern für Belegpositionen</strong>',
'dashboard' => 'Dashboard',
'dashboard' => 'Übersicht',
'dashboard_totals_in_all_currencies_help' => 'Hinweis: Fügen Sie einen :link namens ":name" hinzu, um die Summen in einer einzigen Basiswährung anzuzeigen.',
'clients' => 'Kunden',
'invoices' => 'Rechnungen',
@ -255,6 +255,8 @@ $LANG = array(
'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_viewed' => 'Der Kunde :client hat sich die Rechnung :invoice über :amount angesehen.',
'stripe_payment_text' => 'Rechnung :Rechnungsnummer in Höhe von :Betrag für Kunde :Kunde',
'stripe_payment_text_without_invoice' => 'Zahlung ohne Rechnung in Höhe von :amount für Kunde :client',
'reset_password' => 'Du kannst dein Passwort zurücksetzen, indem du auf den folgenden Link klickst:',
'secure_payment' => 'Sichere Zahlung',
'card_number' => 'Kartennummer',
@ -1992,7 +1994,7 @@ Sobald Sie die Beträge erhalten haben, kommen Sie bitte wieder zurück zu diese
'postmark_error' => 'Beim Senden der E-Mail durch Postmark ist ein Problem aufgetreten: :link',
'project' => 'Projekt',
'projects' => 'Projekte',
'new_project' => 'neues Projekt',
'new_project' => 'Neues Projekt',
'edit_project' => 'Projekt bearbeiten',
'archive_project' => 'Projekt archivieren',
'list_projects' => 'Projekte anzeigen',
@ -2502,6 +2504,7 @@ Sobald Sie die Beträge erhalten haben, kommen Sie bitte wieder zurück zu diese
'alipay' => 'Alipay',
'sofort' => 'SOFORT-Überweisung',
'sepa' => 'SEPA-Lastschrift',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Alipay akzeptieren',
'enable_sofort' => 'EU-Überweisungen akzeptieren',
'stripe_alipay_help' => 'Dieses Gateway muss unter :link aktiviert werden.',
@ -3108,7 +3111,7 @@ Sobald Sie die Beträge erhalten haben, kommen Sie bitte wieder zurück zu diese
'compare_to' => 'Vergleiche mit',
'last_week' => 'Letzte Woche',
'clone_to_invoice' => 'Klone in Rechnung',
'clone_to_quote' => 'Klone in Angebot',
'clone_to_quote' => 'Zum Angebot / Kostenvoranschlag duplizieren',
'convert' => 'Konvertiere',
'last7_days' => 'Letzte 7 Tage',
'last30_days' => 'Letzte 30 Tage',
@ -3509,7 +3512,7 @@ Sobald Sie die Beträge erhalten haben, kommen Sie bitte wieder zurück zu diese
'slack_webhook_url' => 'Slack-Webhook-URL',
'partial_payment' => 'Teilzahlung',
'partial_payment_email' => 'Teilzahlungsmail',
'clone_to_credit' => 'Duplizieren in Gutschrift',
'clone_to_credit' => 'Zur Gutschrift duplizieren',
'emailed_credit' => 'Guthaben erfolgreich per E-Mail versendet',
'marked_credit_as_sent' => 'Guthaben erfolgreich als versendet markiert',
'email_subject_payment_partial' => 'E-Mail Teilzahlung Betreff',
@ -3614,8 +3617,8 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting',
'count_records_selected' => ':count Datensätze ausgewählt',
'count_record_selected' => ':count Datensätze ausgewählt',
'client_created' => 'Kunde wurde erstellt',
'online_payment_email' => 'Online-Zahlung E-Mail Adresse',
'manual_payment_email' => 'manuelle Zahlung E-Mail Adresse',
'online_payment_email' => 'E-Mail bei Online-Zahlung',
'manual_payment_email' => 'E-Mail bei manueller Zahlung',
'completed' => 'Abgeschlossen',
'gross' => 'Gesamtbetrag',
'net_amount' => 'Netto Betrag',
@ -3691,7 +3694,7 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting',
'mark_paid_help' => 'Verfolge ob Ausgabe bezahlt wurde',
'mark_invoiceable_help' => 'Ermögliche diese Ausgabe in Rechnung zu stellen',
'add_documents_to_invoice_help' => 'Dokumente sichtbar für den Kunde',
'convert_currency_help' => 'Wechselkurs setzen',
'convert_currency_help' => 'Wechselkurs festsetzen',
'expense_settings' => 'Ausgaben-Einstellungen',
'clone_to_recurring' => 'Duplizieren zu Widerkehrend',
'crypto' => 'Verschlüsselung',
@ -3799,7 +3802,7 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting',
'please_type_to_confirm' => 'Bitte geben Sie ":value" zur Bestätigung ein',
'purge' => 'Bereinigen',
'clone_to' => 'Duplizieren zu',
'clone_to_other' => 'Duplizieren zu anderem',
'clone_to_other' => 'Zu anderen duplizieren',
'labels' => 'Beschriftung',
'add_custom' => 'Beschriftung hinzufügen',
'payment_tax' => 'Steuer-Zahlung',
@ -4063,7 +4066,7 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting',
'save_payment_method_details' => 'Angaben zur Zahlungsart speichern',
'new_card' => 'Neue Kreditkarte',
'new_bank_account' => 'Bankverbindung hinzufügen',
'company_limit_reached' => 'Maximal 10 Firmen pro Account.',
'company_limit_reached' => 'Maximal :limit Firmen pro Account.',
'credits_applied_validation' => 'Die Gesamtsumme der Gutschriften kann nicht MEHR sein als die Gesamtsumme der Rechnungen',
'credit_number_taken' => 'Gutschriftsnummer bereits vergeben.',
'credit_not_found' => 'Gutschrift nicht gefunden',
@ -4202,7 +4205,6 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting',
'count_minutes' => ':count Minuten',
'password_timeout' => 'Passwort Timeout',
'shared_invoice_credit_counter' => 'Rechnung / Gutschrift Zähler teilen',
'activity_80' => ':user hat Abonnement :subscription erstellt',
'activity_81' => ':user hat Abonnement :subscription geändert',
'activity_82' => ':user hat Abonnement :subscription archiviert',
@ -4210,7 +4212,6 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting',
'activity_84' => ':user hat Abonnement :subscription wiederhergestellt',
'amount_greater_than_balance_v5' => 'Der Betrag ist größer als der Rechnungsbetrag, Eine Überzahlung ist nicht erlaubt.',
'click_to_continue' => 'Weiter',
'notification_invoice_created_body' => 'Die Rechnung :invoice für den Kunden :client mit dem Betrag :amount wurde erstellt',
'notification_invoice_created_subject' => 'Rechnung :invoice für :client erstellt',
'notification_quote_created_body' => 'Das folgende Angebot :invoice wurde für den Kunde :client für :amount erstellt.',
@ -4296,6 +4297,7 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting',
'przelewy24_accept' => 'Ich erkläre, dass ich mich mit den Regelungen und Informationspflichten des Przelewy24-Dienstes vertraut gemacht habe.',
'giropay' => 'GiroPay',
'giropay_law' => 'Mit der Eingabe Ihrer Kundendaten (z. B. Name, Bankleitzahl und Kontonummer) erklären Sie (der Kunde), dass die Angabe dieser Daten freiwillig erfolgt.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS-Lastschriftverfahren',
'becs_mandate' => 'Mit der Angabe Ihrer Kontodaten erklären Sie sich mit dieser <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Lastschriftanforderung und der Dienstleistungsvereinbarung zur Lastschriftanforderung</a> einverstanden und ermächtigen Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 ("Stripe"), Ihr Konto über das Bulk Electronic Clearing System (BECS) im Namen von :company (dem "Händler") mit allen Beträgen zu belasten, die Ihnen vom Händler separat mitgeteilt werden. Sie bestätigen, dass Sie entweder Kontoinhaber oder Zeichnungsberechtigter für das oben genannte Konto sind.',
@ -4566,9 +4568,9 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting',
'invalid_time' => 'Ungültige Zeit',
'signed_in_as' => 'Angemeldet als',
'total_results' => 'Ergebnisse insgesamt',
'restore_company_gateway' => 'Zahlungs-Gateway wiederherstellen',
'archive_company_gateway' => 'Zahlungs-Gateway aktivieren',
'delete_company_gateway' => 'Zahlungs-Gateway löschen',
'restore_company_gateway' => 'Zugang wiederherstellen',
'archive_company_gateway' => 'Zugang archivieren',
'delete_company_gateway' => 'Zugang löschen',
'exchange_currency' => 'Währung wechseln',
'tax_amount1' => 'Steuerhöhe 1',
'tax_amount2' => 'Steuerhöhe 2',
@ -4658,8 +4660,8 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting',
'vendor_details' => 'Lieferantendetails',
'purchase_order_details' => 'Bestelldetails',
'qr_iban' => 'QR IBAN',
'besr_id' => 'BESR ID',
'clone_to_purchase_order' => 'Clone to PO',
'besr_id' => 'BESR-ID',
'clone_to_purchase_order' => 'Zur Bestellung duplizieren',
'vendor_email_not_set' => 'Lieferant hat keine E-Mail Adresse hinterlegt',
'bulk_send_email' => 'E-Mail senden',
'marked_purchase_order_as_sent' => 'Bestellung erfolgreich als versendet markiert',
@ -4683,9 +4685,9 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting',
'disconnected_microsoft' => 'Erfolgreich die Verbindung mit Microsoft getrennt',
'microsoft_sign_in' => 'Einloggen mit Microsoft',
'microsoft_sign_up' => 'Anmelden mit Microsoft',
'emailed_purchase_order' => 'Successfully queued purchase order to be sent',
'emailed_purchase_orders' => 'Successfully queued purchase orders to be sent',
'enable_react_app' => 'Change to the React web app',
'emailed_purchase_order' => 'Erfolgreich in die Warteschlange gestellte und zu versendende Bestellung',
'emailed_purchase_orders' => 'Erfolgreich in die Warteschlange gestellte und zu versendende Bestellungen',
'enable_react_app' => 'Wechsel zur React Web App',
'purchase_order_design' => 'Bestellungsdesign',
'purchase_order_terms' => 'Bestellbedingungen',
'purchase_order_footer' => 'Fußzeile der Bestellung',
@ -4709,7 +4711,7 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting',
'track_inventory' => 'Inventar verwalten',
'track_inventory_help' => 'Anzeigen eines Feldes für den Produktbestand und Aktualisierung des Bestandes, wenn die Rechnung versendet wurde',
'stock_notifications' => 'Lagerbestandsmeldung',
'stock_notifications_help' => 'Senden Sie eine E-Mail, wenn der Bestand den Mindesbestand erreicht hat',
'stock_notifications_help' => 'Automatische E-Mail versenden, wenn der Bestand unter das Minimum sinkt',
'vat' => 'MwSt.',
'view_map' => 'Karte anzeigen',
'set_default_design' => 'Standard-Design festlegen',
@ -4773,14 +4775,140 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting',
'restore_purchase_order' => 'Bestellung wiederherstellen',
'delete_purchase_order' => 'Bestellung löschen',
'connect' => 'Verbinden',
'mark_paid_payment_email' => 'Bezahlte Zahlung markieren E-Mail',
'mark_paid_payment_email' => 'E-Mail bei Zahlungsmarkierung',
'convert_to_project' => 'In Projekt umwandeln',
'client_email' => 'Kunden E-Mail',
'invoice_task_project' => 'Rechnung Aufgabe Projekt',
'invoice_task_project_help' => 'Fügen Sie das Projekt zu den Rechnungspositionen hinzu',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'Diese Rufnummer ist ungültig, bitte im E.164-Format eingeben',
'transaction' => 'Transaktion',
'bulk_action' => 'Massenaktion',
'phone_validation_error' => 'Diese Handynummer ist ungültig, bitte im E.164-Format eingeben',
'transaction' => 'Transaktion',
'disable_2fa' => 'Deaktivierung 2FA',
'change_number' => 'Nummer ändern',
'resend_code' => 'Code erneut senden',
'base_type' => 'Basis-Typ',
'category_type' => 'Kategorie-Typ',
'bank_transaction' => 'Transaktion',
'bulk_print' => 'PDF ausdrucken',
'vendor_postal_code' => 'Postleitzahl des Lieferanten',
'preview_location' => 'Vorschau des Standorts',
'bottom' => 'Unten',
'side' => 'Seite',
'pdf_preview' => 'PDF Vorschau',
'long_press_to_select' => 'Für Auswahl lange drücken',
'purchase_order_item' => 'Bestellposition',
'would_you_rate_the_app' => 'Möchtest du diese App bewerten?',
'include_deleted' => 'Gelöschte eingeschlossen',
'include_deleted_help' => 'Schließe gelöschte Datensätze im Bericht ein',
'due_on' => 'Fällig am',
'browser_pdf_viewer' => 'Nutze den PDF-Viewer des Browsers',
'browser_pdf_viewer_help' => 'Warnung: Verhindert die Interaktion mit der App über PDF-Datei',
'converted_transactions' => 'Transaktionen erfolgreich konvertiert',
'default_category' => 'Standartkategorie',
'connect_accounts' => 'Konten verbinden',
'manage_rules' => 'Regeln verwalten',
'search_category' => 'Suche 1 Kategorie',
'search_categories' => 'Suche :count Kategorien',
'min_amount' => 'Mindestbetrag',
'max_amount' => 'Maximalbetrag',
'converted_transaction' => 'Transaktion erfolgreich konvertiert',
'convert_to_payment' => 'In Zahlung umwandeln',
'deposit' => 'Einzahlung',
'withdrawal' => 'Auszahlung',
'deposits' => 'Einzahlungen',
'withdrawals' => 'Auszahlungen',
'matched' => 'übereinstimmend',
'unmatched' => 'nicht übereinstimmend',
'create_credit' => 'Guthaben erstellen',
'transactions' => 'Transaktionen',
'new_transaction' => 'Neue Transaktion',
'edit_transaction' => 'Transaktion bearbeiten',
'created_transaction' => 'Transaktion erfolgreich erstellt',
'updated_transaction' => 'Transaktion erfolgreich aktualisiert',
'archived_transaction' => 'Transaktion erfolgreich archiviert',
'deleted_transaction' => 'Transaktion erfolgreich gelöscht',
'removed_transaction' => 'Transaktion erfolgreich entfernt',
'restored_transaction' => 'Transaktion erfolgreich wiederhergestellt',
'search_transaction' => 'Transaktion suchen',
'search_transactions' => ':count Transaktionen durchsuchen',
'deleted_bank_account' => 'Bankaccount erfolgreich gelöscht',
'removed_bank_account' => 'Bankaccount erfolgreich entfernt',
'restored_bank_account' => 'Bankaccount erfolgreich wiederhergestellt',
'search_bank_account' => 'Bankverbindung suchen',
'search_bank_accounts' => ':count Bankverbindungen durchsuchen',
'code_was_sent_to' => 'Ein Code wurde per SMS an :number gesandt.',
'verify_phone_number_2fa_help' => 'Bitte die Telefonnummer mit 2FA bestätigen',
'enable_applying_payments_later' => 'Spätere Zahlung erlauben',
'line_item_tax_rates' => 'Steuerraten für Produktzeilen',
'show_tasks_in_client_portal' => 'Zeige Aufgaben im Kundenportal',
'notification_quote_expired_subject' => 'Angebot / Kostenvoranschlag :invoice für :client ist abgelaufen',
'notification_quote_expired' => 'Das folgende Angebot / Kostenvoranschlag :invoice für Kunde :client und :amount ist abgelaufen.',
'auto_sync' => 'Autom. Synchronisation',
'refresh_accounts' => 'Konten aktualisieren',
'upgrade_to_connect_bank_account' => 'Upgrade auf Enterprise zur Anbindung Ihres Bankkontos',
'click_here_to_connect_bank_account' => 'Klicken Sie hier, um Ihr Bankkonto zu verbinden',
'include_tax' => 'Inklusive Steuern',
'email_template_change' => 'Der Body der E-Mail-Vorlage kann geändert werden auf',
'task_update_authorization_error' => 'Unzureichende Berechtigungen, oder die Aufgabe ist gesperrt',
'cash_vs_accrual' => 'Periodengerechte Buchführung',
'cash_vs_accrual_help' => 'Für die periodengerechte Berichterstattung einschalten, für die kassenbasierte Berichterstattung ausschalten.',
'expense_paid_report' => 'Ausgabenbericht',
'expense_paid_report_help' => 'Einschalten, um alle Ausgaben zu melden, ausschalten, um nur bezahlte Ausgaben zu melden',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Automatische E-Mail versenden, wenn eine Online-Zahlung erfolgt ist',
'manual_payment_email_help' => 'Automatische E-Mail versenden, wenn eine Zahlung manuell bestätigt wurde',
'mark_paid_payment_email_help' => 'Automatische E-Mail versenden, wenn eine Rechnung als bezahlt markiert wurde',
'linked_transaction' => 'Erfolgreich verknüpfte Transaktion',
'link_payment' => 'Link Zahlung',
'link_expense' => 'Link Ausgabe',
'lock_invoiced_tasks' => 'In Rechnung gestellte Aufgaben sperren',
'lock_invoiced_tasks_help' => 'Verhindern, dass Aufgaben nach der Rechnungsstellung bearbeitet werden',
'registration_required_help' => 'Kunden zur Registrierung verpflichten',
'use_inventory_management' => 'Bestandsverwaltung verwenden',
'use_inventory_management_help' => 'Produkte müssen auf Lager sein',
'optional_products' => 'Optionale Produkte',
'optional_recurring_products' => 'Optionale wiederkehrende Produkte',
'convert_matched' => 'Konvertieren',
'auto_billed_invoice' => 'Erfolgreich in die Warteschlange gestellte Rechnung für die automatische Rechnungsstellung',
'auto_billed_invoices' => 'Erfolgreich in die Warteschlange gestellte Rechnungen für die automatische Rechnungsstellung',
'operator' => 'Bediener',
'value' => 'Wert',
'is' => 'Ist',
'contains' => 'Enthält',
'starts_with' => 'Beginnt mit',
'is_empty' => 'Ist leer',
'add_rule' => 'Regel hinzufügen',
'match_all_rules' => 'Alle Regeln erfüllen',
'match_all_rules_help' => 'Alle Kriterien müssen übereinstimmen, damit die Regel angewendet werden kann',
'auto_convert_help' => 'Passende Transaktionen automatisch in Ausgaben umwandeln',
'rules' => 'Regeln',
'transaction_rule' => 'Transaktionsregel',
'transaction_rules' => 'Transaktionsregeln',
'new_transaction_rule' => 'Neue Transaktionsregel',
'edit_transaction_rule' => 'Transaktionsregel bearbeiten',
'created_transaction_rule' => 'Regel erfolgreich erstellt',
'updated_transaction_rule' => 'Transaktionsregel erfolgreich aktualisiert',
'archived_transaction_rule' => 'Transaktionsregel erfolgreich archiviert',
'deleted_transaction_rule' => 'Transaktionsregel erfolgreich gelöscht',
'removed_transaction_rule' => 'Transaktionsregel erfolgreich entfernt',
'restored_transaction_rule' => 'Transaktionsregel erfolgreich wiederhergestellt',
'search_transaction_rule' => 'Transaktionsregel suchen',
'search_transaction_rules' => 'Transaktionsregeln suchen',
'payment_type_Interac E-Transfer' => 'Interac E-Überweisung',
'delete_bank_account' => 'Bankverbindung löschen',
'archive_transaction' => 'Bankverbindung archivieren',
'delete_transaction' => 'Bankverbindung löschen',
'otp_code_message' => 'Geben Sie den per E-Mail erhaltenen Code ein.',
'otp_code_subject' => 'Ihr einmaliger Zugangscode',
'otp_code_body' => 'Ihr einmaliger Passcode lautet :code',
'delete_tax_rate' => 'Steuersatz löschen',
'restore_tax_rate' => 'Steuersatz wiederherstellen',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -237,7 +237,7 @@ $LANG = array(
'archived_vendors' => 'Επιτυχής αρχειοθέτηση :count προμηθευτών',
'deleted_vendor' => 'Επιτυχής διαγραφή προμηθευτή',
'deleted_vendors' => 'Επιτυχής διαγραφή :count προμηθευτών',
'confirmation_subject' => 'Account Confirmation',
'confirmation_subject' => 'Επικύρωση Λογαριασμού',
'confirmation_header' => 'Επιβεβαίωση Λογαριασμού',
'confirmation_message' => 'Παρακαλω, πατήστε τον παρακάτω σύνδεσμο για να επιβεβαιώσετε το λογαριασμό σας.',
'invoice_subject' => 'Νέο τιμολόγιο :number από :account',
@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Πληρωμή ποσού :amount έγινε από τον πελάτη :client για το Τιμολόγιο :invoice',
'notification_invoice_sent' => 'Στον πελάτη :client απεστάλη το Τιμολόγιο :invoice ποσού :amount.',
'notification_invoice_viewed' => 'Ο πελάτης :client είδε το Τιμολόγιο :invoice ποσού :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Μπορείτε να επαναφέρετε τον κωδικό του λογαριασμού σας πατώντας τον παρακάτω σύνδεσμο:',
'secure_payment' => 'Ασφαλής Πληρωμή',
'card_number' => 'Αριθμός Κάρτας',
@ -2501,6 +2503,7 @@ email που είναι συνδεδεμένη με το λογαριασμό σ
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'Απευθείας πίστωση SEPA',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Αποδοχή Alipay',
'enable_sofort' => 'Αποδοχή τραπεζικών εμβασμάτων από τράπεζες της Ευρώπης',
'stripe_alipay_help' => 'Αυτές οι πύλες πληρωμών πρέπει επίσης να ενεργοποιηθούν στο :link.',
@ -4061,7 +4064,7 @@ email που είναι συνδεδεμένη με το λογαριασμό σ
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4200,7 +4203,6 @@ email που είναι συνδεδεμένη με το λογαριασμό σ
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4208,7 +4210,6 @@ email που είναι συνδεδεμένη με το λογαριασμό σ
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4294,6 +4295,7 @@ email που είναι συνδεδεμένη με το λογαριασμό σ
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4564,9 +4566,9 @@ email που είναι συνδεδεμένη με το λογαριασμό σ
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4777,8 +4779,134 @@ email που είναι συνδεδεμένη με το λογαριασμό σ
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -4896,7 +4896,7 @@ $LANG = array(
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_message' => 'We have sent a code to :email enter this code to proceed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'A payment of :amount was made by client :client towards Invoice :invoice.',
'notification_invoice_sent' => 'The following client :client was emailed Invoice :invoice for :amount.',
'notification_invoice_viewed' => 'The following client :client viewed Invoice :invoice for :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'You can reset your account password by clicking the following button:',
'secure_payment' => 'Secure Payment',
'card_number' => 'Card Number',
@ -2501,6 +2503,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4061,7 +4064,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4200,7 +4203,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4208,7 +4210,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4294,6 +4295,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4564,9 +4566,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4777,8 +4779,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Un pago por importe de :amount ha sido realizado por el cliente :client correspondiente a la factura :invoice.',
'notification_invoice_sent' => 'La factura :invoice por importe de :amount fue enviada al cliente :cliente.',
'notification_invoice_viewed' => 'La factura :invoice por importe de :amount fue visualizada por el cliente :client.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Puedes reconfigurar la contraseña de tu cuenta haciendo clic en el siguiente enlace:',
'secure_payment' => 'Pago seguro',
'card_number' => 'Número de tarjeta',
@ -2499,6 +2501,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'Débito Directo SEPA',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Aceptar Alipay',
'enable_sofort' => 'Aceptar transferencias bancarias de EU',
'stripe_alipay_help' => 'Estas pasarelas de pago deben ser activadas en :link',
@ -4059,7 +4062,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4198,7 +4201,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4206,7 +4208,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4292,6 +4293,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4562,9 +4564,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4775,8 +4777,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -104,7 +104,7 @@ $LANG = array(
<li>":YEAR+1 suscripción anual" >> "2015 suscripción anual"</li>
<li>"Pago retenido para :QUARTER+1" >> "Pago retenido para T2"</li>
</ul>',
'recurring_quotes' => 'Presupuestos Recurrentes',
'recurring_quotes' => 'Cotizaciones Recurrentes',
'in_total_revenue' => 'Ingreso Total',
'billed_client' => 'Cliente Facturado',
'billed_clients' => 'Clientes Facturados',
@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Un Pago por importe de :amount ha sido realizado por el cliente :client correspondiente a la Factura :invoice.',
'notification_invoice_sent' => 'La Factura :invoice por importe de :amount fue enviada al cliente :client.',
'notification_invoice_viewed' => 'La Factura :invoice por importe de :amount fue visualizada por el cliente :client.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Puedes reconfigurar la contraseña de tu cuenta haciendo clic en el siguiente enlace:',
'secure_payment' => 'Pago seguro',
'card_number' => 'Número de tarjeta',
@ -303,42 +305,42 @@ $LANG = array(
'chart_builder' => 'Constructor de Gráficas',
'ninja_email_footer' => 'Creado por :site | Crea. Envia. Recibe tus Pagos.',
'go_pro' => 'Hazte Pro',
'quote' => 'Presupuesto',
'quotes' => 'Presupuestos',
'quote_number' => 'Número de Presupuesto',
'quote_number_short' => 'Presupuesto Nº ',
'quote_date' => 'Fecha Presupuesto',
'quote_total' => 'Total Presupuestado',
'your_quote' => 'Su Presupuesto',
'quote' => 'Cotización',
'quotes' => 'Cotizaciones',
'quote_number' => 'Número de Cotización',
'quote_number_short' => 'Cotización Nº ',
'quote_date' => 'Fecha Cotización',
'quote_total' => 'Total Cotizado',
'your_quote' => 'Su Cotización',
'total' => 'Total',
'clone' => 'Clonar',
'new_quote' => 'Nuevo Presupuesto',
'create_quote' => 'Crear Presupuesto',
'edit_quote' => 'Editar Presupuesto',
'archive_quote' => 'Archivar Presupuesto',
'delete_quote' => 'Eliminar Presupuesto',
'save_quote' => 'Guardar Presupuesto',
'email_quote' => 'Enviar Presupuesto',
'clone_quote' => 'Clonar Presupuesto',
'new_quote' => 'Nueva Cotización',
'create_quote' => 'Crear Cotización',
'edit_quote' => 'Editar Cotización',
'archive_quote' => 'Archivar Cotización',
'delete_quote' => 'Eliminar Cotización',
'save_quote' => 'Guardar Cotización',
'email_quote' => 'Enviar Cotización',
'clone_quote' => 'Clonar Cotización',
'convert_to_invoice' => 'Convertir a Factura',
'view_invoice' => 'Ver Factura',
'view_client' => 'Ver Cliente',
'view_quote' => 'Ver Presupuesto',
'updated_quote' => 'Presupuesto actualizado correctamente',
'created_quote' => 'Presupuesto creado correctamente',
'cloned_quote' => 'Presupuesto clonado correctamente',
'emailed_quote' => 'Presupuesto enviado correctamente',
'archived_quote' => 'Presupuesto archivado correctamente',
'archived_quotes' => ':count Presupuestos archivados correctamente',
'deleted_quote' => 'Presupuesto eliminado correctamente',
'deleted_quotes' => ':count Presupuestos eliminados correctamente',
'converted_to_invoice' => 'Presupuesto convertido a factura correctamente',
'quote_subject' => 'Nuevo presupuesto :number de :account',
'view_quote' => 'Ver Cotización',
'updated_quote' => 'Cotización actualizada correctamente',
'created_quote' => 'Cotización creada correctamente',
'cloned_quote' => 'Cotización clonada correctamente',
'emailed_quote' => 'Cotización enviada correctamente',
'archived_quote' => 'Cotización archivada correctamente',
'archived_quotes' => ':count Cotizaciones archivadas correctamente',
'deleted_quote' => 'Cotización eliminada correctamente',
'deleted_quotes' => ':count Cotizaciones eliminadas correctamente',
'converted_to_invoice' => 'Cotización convertida a factura correctamente',
'quote_subject' => 'Nueva presupuesto :number de :account',
'quote_message' => 'Para ver el presupuesto por un importe de :amount, haga click en el enlace de abajo.',
'quote_link_message' => 'Para ver su presupuesto haga click en el enlace de abajo:',
'notification_quote_sent_subject' => 'El presupuesto :invoice se ha enviado al cliente :client',
'notification_quote_sent_subject' => 'El presupuesto :invoice se ha enviada al cliente :client',
'notification_quote_viewed_subject' => 'El presupuesto :invoice fue visto por el cliente :client',
'notification_quote_sent' => 'El presupuesto :invoice por un valor de :amount, ha sido enviado al cliente :client.',
'notification_quote_sent' => 'El presupuesto :invoice por un valor de :amount, ha sido enviada al cliente :client.',
'notification_quote_viewed' => 'El presupuesto :invoice por un valor de :amount ha sido visto por el cliente :client.',
'session_expired' => 'Su Sesión ha Caducado.',
'invoice_fields' => 'Campos de Factura',
@ -373,8 +375,8 @@ $LANG = array(
'invoice_settings' => 'Configuración de Facturas',
'invoice_number_prefix' => 'Prefijo del Número de Factura',
'invoice_number_counter' => 'Contador del Número de Factura',
'quote_number_prefix' => 'Prefijo del Número de Presupuesto',
'quote_number_counter' => 'Contador del Número de Presupuesto',
'quote_number_prefix' => 'Prefijo del Número de Cotización',
'quote_number_counter' => 'Contador del Número de Cotización',
'share_invoice_counter' => 'Compartir la numeración para presupuesto y factura',
'invoice_issued_to' => 'Factura emitida a',
'invalid_counter' => 'Para evitar posibles conflictos, por favor crea un prefijo para el número de factura y para el número de presupuesto.',
@ -405,12 +407,12 @@ $LANG = array(
'white_labeled' => 'Marca Blanca',
'restore' => 'Restaurar',
'restore_invoice' => 'Restaurar Factura',
'restore_quote' => 'Restaurar Presupuesto',
'restore_quote' => 'Restaurar Cotización',
'restore_client' => 'Restaurar Cliente',
'restore_credit' => 'Restaurar Pendiente',
'restore_payment' => 'Restaurar Pago',
'restored_invoice' => 'Factura restaurada correctamente',
'restored_quote' => 'Presupuesto restaurada correctamente',
'restored_quote' => 'Cotización restaurada correctamente',
'restored_client' => 'Cliente restaurada correctamente',
'restored_payment' => 'Pago restaurado correctamente',
'restored_credit' => 'Crédito restaurado correctamente',
@ -418,7 +420,7 @@ $LANG = array(
'discount_percent' => 'Porcentaje',
'discount_amount' => 'Cantidad',
'invoice_history' => 'Historial de Facturas',
'quote_history' => 'Historial de Presupuestos',
'quote_history' => 'Historial de Cotizaciones',
'current_version' => 'Versión Actual',
'select_version' => 'Seleccione la Versión',
'view_history' => 'Ver Historial',
@ -431,7 +433,7 @@ $LANG = array(
'email_templates' => 'Plantillas de Email',
'invoice_email' => 'Email de Facturas',
'payment_email' => 'Email de Pagos',
'quote_email' => 'Email de Presupuestos',
'quote_email' => 'Email de Cotizaciones',
'reset_all' => 'Restablecer Todos',
'approve' => 'Aprobar',
'token_billing_type_id' => 'Token de Facturación',
@ -593,7 +595,7 @@ $LANG = array(
'pro_plan_feature3' => 'URLs personalizadas - "TuMarca.InvoiceNinja.com"',
'pro_plan_feature4' => 'Eliminar "Creado por Invoice Ninja"',
'pro_plan_feature5' => 'Acceso Multiusuario y seguimiento de Actividad',
'pro_plan_feature6' => 'Crear Presupuestos y Facturas Pro-forma',
'pro_plan_feature6' => 'Crear Cotizaciones y Facturas Pro-forma',
'pro_plan_feature7' => 'Personaliza los títulos y numeración de los campos de Factura',
'pro_plan_feature8' => 'Opción para adjuntar PDFs a los correos de los clientes',
'resume' => 'Reanudar',
@ -643,7 +645,7 @@ $LANG = array(
'custom' => 'Personalizado',
'invoice_to' => 'Factura para',
'invoice_no' => 'Nº Factura',
'quote_no' => 'Nº de Presupuesto',
'quote_no' => 'Nº de Cotización',
'recent_payments' => 'Pagos recientes',
'outstanding' => 'Pendiente de Cobro',
'manage_companies' => 'Administración de Compañías',
@ -651,8 +653,8 @@ $LANG = array(
'current_user' => 'Usuario Actual',
'new_recurring_invoice' => 'Nueva Factura Recurrente',
'recurring_invoice' => 'Factura Recurrente',
'new_recurring_quote' => 'Nuevo Presupuesto Recurrente',
'recurring_quote' => 'Presupuesto Recurrente',
'new_recurring_quote' => 'Nueva Cotización Recurrente',
'recurring_quote' => 'Cotización Recurrente',
'recurring_too_soon' => 'Es demasiado pronto para crear la siguiente factura recurrente, esta programada para :date',
'created_by_invoice' => 'Creado por :invoice',
'primary_user' => 'Usuario Principal',
@ -698,15 +700,15 @@ $LANG = array(
'referral_code' => 'Codigo de Recomendacion',
'last_sent_on' => 'Enviado la ultima vez en :date',
'page_expire' => 'Esta página expirará en breve, :click_here para seguir trabajando',
'upcoming_quotes' => 'Próximos Presupuestos',
'expired_quotes' => 'Presupuestos Expirados',
'upcoming_quotes' => 'Próximos Cotizaciones',
'expired_quotes' => 'Cotizaciones Expirados',
'sign_up_using' => 'Registrarse usando',
'invalid_credentials' => 'Las credenciales no coinciden con nuestros registros',
'show_all_options' => 'Mostrar todas las opciones',
'user_details' => 'Detalles de Usuario',
'oneclick_login' => 'Cuenta Conectada',
'disable' => 'Deshabilitado',
'invoice_quote_number' => 'Números de Factura y Presupuesto',
'invoice_quote_number' => 'Números de Factura y Cotización',
'invoice_charges' => 'Recargos de Factura',
'notification_invoice_bounced' => 'No se pudo entregar la factura :invoice a :contact.',
'notification_invoice_bounced_subject' => 'No se puede entregar la factura :invoice',
@ -743,7 +745,7 @@ $LANG = array(
'pattern_help_3' => 'Por ejemplo, :example será convertido a :value',
'see_options' => 'Ver opciones',
'invoice_counter' => 'Contador de Factura',
'quote_counter' => 'Contador de Presupuesto',
'quote_counter' => 'Contador de Cotización',
'type' => 'Tipo',
'activity_1' => ':user creó el cliente :client',
'activity_2' => ':user archivó el cliente :client',
@ -802,11 +804,11 @@ $LANG = array(
'system' => 'Sistema',
'signature' => 'Firma del correo',
'default_messages' => 'Mensajes Predefinidos',
'quote_terms' => 'Términos del Presupuesto',
'default_quote_terms' => 'Términos del Presupuesto predefinidos',
'quote_terms' => 'Términos del Cotización',
'default_quote_terms' => 'Términos del Cotización predefinidos',
'default_invoice_terms' => 'Términos de Factura Predeterminado',
'default_invoice_footer' => 'Pie de Página de Factura Predeterminado',
'quote_footer' => 'Pie del Presupuesto',
'quote_footer' => 'Pie del Cotización',
'free' => 'Gratuito',
'quote_is_approved' => 'Aprobado correctamente',
'apply_credit' => 'Aplicar Crédito',
@ -823,12 +825,12 @@ $LANG = array(
'deleted_recurring_invoice' => 'Factura recurrente borrada correctamente',
'restore_recurring_invoice' => 'Restaurar Factura Recurrente ',
'restored_recurring_invoice' => 'Factura recurrente restaurada correctamente',
'archive_recurring_quote' => 'Archivar Presupuesto Recurrente',
'archived_recurring_quote' => 'Presupuesto recurrente archivado correctamente',
'delete_recurring_quote' => 'Borrar Presupuesto Recurrente',
'deleted_recurring_quote' => 'Presupuesto recurrente borrado correctamente',
'restore_recurring_quote' => 'Restaurar Presupuesto Recurrente',
'restored_recurring_quote' => 'Presupuesto recurrente restaurado correctamente',
'archive_recurring_quote' => 'Archivar Cotización Recurrente',
'archived_recurring_quote' => 'Cotización recurrente archivada correctamente',
'delete_recurring_quote' => 'Borrar Cotización Recurrente',
'deleted_recurring_quote' => 'Cotización recurrente borrado correctamente',
'restore_recurring_quote' => 'Restaurar Cotización Recurrente',
'restored_recurring_quote' => 'Cotización recurrente restaurado correctamente',
'archived' => 'Archivado',
'untitled_account' => 'Compañía sin Nombre',
'before' => 'Antes',
@ -992,9 +994,9 @@ $LANG = array(
'account_name' => 'Nombre de Cuenta',
'bank_account_error' => 'Fallo al obtener los detalles de la cuenta, por favor comprueba tus credenciales.',
'status_approved' => 'Aprobado',
'quote_settings' => 'Configuración de Presupuestos',
'quote_settings' => 'Configuración de Cotizaciones',
'auto_convert_quote' => 'Auto Convertir',
'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved.',
'auto_convert_quote_help' => 'Convertir atumomáticamente una cotización en una factura cuando se apruebe.',
'validate' => 'Validar',
'info' => 'Info',
'imported_expenses' => ' :count_vendors proveedor(es) y :count_expenses gasto(s) importados correctamente',
@ -1010,7 +1012,7 @@ $LANG = array(
'all_pages_footer' => 'Mostrar Pie en',
'invoice_currency' => 'Moneda de la Factura',
'enable_https' => 'Recomendamos encarecidamente usar HTTPS para aceptar detalles de tarjetas de crédito online',
'quote_issued_to' => 'Presupuesto emitido a',
'quote_issued_to' => 'Cotización emitido a',
'show_currency_code' => 'Código de Moneda',
'free_year_message' => 'Tu cuenta ha sido actualizada al Plan Pro por un año sin ningun coste.',
'trial_message' => 'Tu cuenta recibirá dos semanas gratuitas de nuestro plan Pro.',
@ -1048,7 +1050,7 @@ $LANG = array(
'navigation' => 'Navegación',
'list_invoices' => 'Lista de Facturas',
'list_clients' => 'Lista de Clientes',
'list_quotes' => 'Lista de Presupuestos',
'list_quotes' => 'Lista de Cotizaciones',
'list_tasks' => 'Lista de Tareas',
'list_expenses' => 'Lista de Gastos',
'list_recurring_invoices' => 'Lista de Facturas Recurrentes',
@ -1117,7 +1119,7 @@ $LANG = array(
'email_documents_header' => 'Documentos:',
'email_documents_example_1' => 'Widgets Receipt.pdf',
'email_documents_example_2' => 'Final Deliverable.zip',
'quote_documents' => 'Documentos de Presupuesto',
'quote_documents' => 'Documentos de Cotización',
'invoice_documents' => 'Documentos de Factura',
'expense_documents' => 'Documentos de Gasto',
'invoice_embed_documents' => 'Documentos anexados',
@ -1869,7 +1871,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'list_products' => 'Lista de Productos',
'include_item_taxes_inline' => 'Incluir total del <b>impuesto para cada concepto de Factura</b>',
'created_quotes' => 'Se ha(n) creado correctamente :count presupuesto(s)',
'created_quotes' => 'Se ha(n) creada correctamente :count presupuesto(s)',
'limited_gateways' => 'Nota: soportamos una pasarela de tarjeta de crédito por empresa.',
'warning' => 'Advertencia',
@ -1903,7 +1905,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'reports' => 'Informes',
'total_profit' => 'Beneficio Total',
'total_expenses' => 'Gastos Totales',
'quote_to' => 'Presupuesto para',
'quote_to' => 'Cotización para',
// Limits
'limit' => 'Límite',
@ -2062,10 +2064,10 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'notes_reminder3' => 'Tercer Recordatorio',
'notes_reminder4' => 'Recordatorio',
'bcc_email' => 'BCC Email',
'tax_quote' => 'Impuesto de Presupuesto',
'tax_quote' => 'Impuesto de Cotización',
'tax_invoice' => 'Impuesto de Factura',
'emailed_invoices' => 'Facturas enviadas correctamente',
'emailed_quotes' => 'Presupuestos enviados correctamente',
'emailed_quotes' => 'Cotizaciones enviadas correctamente',
'website_url' => 'Website URL',
'domain' => 'Dominio',
'domain_help' => 'Se usa en el portal del cliente y al enviar correos electrónicos.',
@ -2101,7 +2103,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'send_automatically' => 'Enviar Automáticamente',
'initial_email' => 'Email Inicial',
'invoice_not_emailed' => 'Esta factura no ha sido enviada.',
'quote_not_emailed' => 'Este presupuesto no ha sido enviado.',
'quote_not_emailed' => 'Este presupuesto no ha sido enviada.',
'sent_by' => 'Enviado por :user',
'recipients' => 'Destinatarios',
'save_as_default' => 'Guardar como Por Defecto',
@ -2314,7 +2316,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'late_fee_percent' => 'Porcentaje por pago atrasado',
'late_fee_added' => 'Cargo por retraso agregado en :date',
'download_invoice' => 'Descargar Factura',
'download_quote' => 'Descargar Presupuesto',
'download_quote' => 'Descargar Cotización',
'invoices_are_attached' => 'Sus archivos PDF de facturas se adjuntaron.',
'downloaded_invoice' => 'Se enviará un correo electrónico con la factura en PDF',
'downloaded_quote' => 'Se enviará un correo electrónico con el presupuesto en PDF',
@ -2491,6 +2493,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Aceptar Alipay',
'enable_sofort' => 'Aceptar transferencias bancarias de la UE',
'stripe_alipay_help' => 'Estas pasarelas también deben activarse en :link.',
@ -2611,11 +2614,11 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'event' => 'Evento',
'subscription_event_1' => 'Cliente creado ',
'subscription_event_2' => 'Factura creada',
'subscription_event_3' => 'Presupuesto creado',
'subscription_event_3' => 'Cotización creada',
'subscription_event_4' => 'Pago creado',
'subscription_event_5' => 'Crear Proveedor',
'subscription_event_6' => 'Presupuesto Actualizado',
'subscription_event_7' => 'Presupuesto Borrado',
'subscription_event_6' => 'Cotización Actualizado',
'subscription_event_7' => 'Cotización Borrado',
'subscription_event_8' => 'Factura Actualizada',
'subscription_event_9' => 'Factura Eliminada',
'subscription_event_10' => 'Cliente Actualizado',
@ -2629,7 +2632,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'subscription_event_18' => 'Tarea Creada',
'subscription_event_19' => 'Tarea Actualizada',
'subscription_event_20' => 'Tarea Eliminada',
'subscription_event_21' => 'Presupuesto Aprobado',
'subscription_event_21' => 'Cotización Aprobado',
'subscriptions' => 'Suscripciones',
'updated_subscription' => 'Suscripción actualizada correctamente',
'created_subscription' => 'Suscripción creada correctamente',
@ -2640,7 +2643,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'invoice_project' => 'Facturar Proyecto',
'module_recurring_invoice' => 'Facturas Recurrentes',
'module_credit' => 'Créditos',
'module_quote' => 'Presupuestos y Propuestas',
'module_quote' => 'Cotizaciones y Propuestas',
'module_task' => 'Tareas y Proyectos',
'module_expense' => 'Gastos y Proveedores',
'module_ticket' => 'Tickets',
@ -2812,17 +2815,17 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'invalid_url' => 'URL inválida',
'workflow_settings' => 'Configuración de Flujos',
'auto_email_invoice' => 'Auto Email',
'auto_email_invoice_help' => 'Automatically email recurring invoices when created.',
'auto_email_invoice_help' => 'Automáticamente enviar por email facturas recurrentes cuando sean creadas.',
'auto_archive_invoice' => 'Auto Archivar',
'auto_archive_invoice_help' => 'Automatically archive invoices when paid.',
'auto_archive_invoice_help' => 'Automáticamente archivar facturas cuando sean pagadas.',
'auto_archive_quote' => 'Auto Archivar',
'auto_archive_quote_help' => 'Automatically archive quotes when converted to invoice.',
'auto_archive_quote_help' => 'Automáticamente archivar cotizaciones cuando sean convertidos a facturas.',
'require_approve_quote' => 'Requerir aprobación de presupuesto.',
'require_approve_quote_help' => 'Requerir que el cliente apruebe el presupuesto.',
'allow_approve_expired_quote' => 'Permitir aprobación de presupuesto vencido',
'allow_approve_expired_quote_help' => 'Permitir a los clientes aprobar presupuestos expirados.',
'invoice_workflow' => 'Flujo de Factura',
'quote_workflow' => 'Flujo de Presupuesto',
'quote_workflow' => 'Flujo de Cotización',
'client_must_be_active' => 'Error: el cliente debe estar activo',
'purge_client' => 'Purgar Cliente',
'purged_client' => 'Cliente purgado correctamente',
@ -2856,7 +2859,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'messages' => 'Mensajes',
'unpaid_invoice' => 'Factura Impagada',
'paid_invoice' => 'Factura Pagada',
'unapproved_quote' => 'Presupuesto No Aprobado',
'unapproved_quote' => 'Cotización No Aprobado',
'unapproved_proposal' => 'Propuesta No Aprobada',
'autofills_city_state' => 'Auto rellenar ciudad/provincia',
'no_match_found' => 'Sin resultados',
@ -2940,8 +2943,8 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'button' => 'Botón',
'more' => 'Más',
'edit_recurring_invoice' => 'Editar Factura Recurrente',
'edit_recurring_quote' => 'Editar Presupuesto Recurrente',
'quote_status' => 'Estado de Presupuesto',
'edit_recurring_quote' => 'Editar Cotización Recurrente',
'quote_status' => 'Estado de Cotización',
'please_select_an_invoice' => 'Por favor, seleccione una factura',
'filtered_by' => 'Filtrado por',
'payment_status' => 'Estado de Pago',
@ -2953,7 +2956,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'payment_status_6' => 'Reembolsado',
'send_receipt_to_client' => 'Mandar recibo al cliente',
'refunded' => 'Reembolsado',
'marked_quote_as_sent' => 'Presupuesto marcado como enviado correctamente',
'marked_quote_as_sent' => 'Cotización marcado como enviada correctamente',
'custom_module_settings' => 'Opciones del Módulo Personalizado',
'ticket' => 'Ticket',
'tickets' => 'Tickets',
@ -3097,7 +3100,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'compare_to' => 'Comparar con',
'last_week' => 'Última Semana',
'clone_to_invoice' => 'Clonar a Factura',
'clone_to_quote' => 'Clonar a Presupuesto',
'clone_to_quote' => 'Clonar a Cotización',
'convert' => 'Convertir',
'last7_days' => 'Últimos 7 días',
'last30_days' => 'Últimos 30 días',
@ -3383,7 +3386,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'custom_message_dashboard' => 'Mensaje de Escritorio Personalizado',
'custom_message_unpaid_invoice' => 'Mensaje de Factura Impagada Personalizada',
'custom_message_paid_invoice' => 'Mensaje de Factura Pagada Personalizada',
'custom_message_unapproved_quote' => 'Mensaje de Presupuesto no Aprobado Personalizado',
'custom_message_unapproved_quote' => 'Mensaje de Cotización no Aprobado Personalizado',
'lock_sent_invoices' => 'Bloquear Facturas Enviadas',
'translations' => 'Traducciones',
'task_number_pattern' => 'Patrón del Número de Tarea',
@ -3397,14 +3400,14 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'payment_number_pattern' => 'Patrón del Número de Pago',
'payment_number_counter' => 'Contador del Número de Pago',
'invoice_number_pattern' => 'Patrón del Número de Factura',
'quote_number_pattern' => 'Patrón del Número de Presupuesto',
'quote_number_pattern' => 'Patrón del Número de Cotización',
'client_number_pattern' => 'Patrón del Número de Crédito',
'client_number_counter' => 'Contador del Número de Crédito',
'credit_number_pattern' => 'Patrón del Número de Crédito',
'credit_number_counter' => 'Contador del Número de Crédito',
'reset_counter_date' => 'Resetear Fecha del Contador',
'counter_padding' => 'Relleno del Contador',
'shared_invoice_quote_counter' => 'Share Invoice Quote Counter',
'shared_invoice_quote_counter' => 'Numeración de presupuestos y facturas compartidas',
'default_tax_name_1' => 'Nombre de Impuesto por Defecto 1',
'default_tax_rate_1' => 'Tasa de Impuesto por Defecto 1',
'default_tax_name_2' => 'Nombre de Impuesto por Defecto 2',
@ -3412,7 +3415,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'default_tax_name_3' => 'Nombre de Impuesto por Defecto 3',
'default_tax_rate_3' => 'Tasa de Impuesto por Defecto 3',
'email_subject_invoice' => 'Asunto de Email de Factura',
'email_subject_quote' => 'Asunto de Email de Presupuesto',
'email_subject_quote' => 'Asunto de Email de Cotización',
'email_subject_payment' => 'Asunto de Email de Pago',
'switch_list_table' => 'Cabiar a lista de tabla',
'client_city' => 'Ciudad del Cliente',
@ -3454,7 +3457,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'saved_design' => 'Diseño guardado correctamente',
'client_details' => 'Detalles de Cliente',
'company_address' => 'Dirección de Compañía',
'quote_details' => 'Detalles del Presupuesto',
'quote_details' => 'Detalles del Cotización',
'credit_details' => 'Detalles de Crédito',
'product_columns' => 'Columnas de Producto',
'task_columns' => 'Columnas de Tarea',
@ -3466,13 +3469,13 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'quote_sent' => 'Prespuesto Enviado',
'credit_sent' => 'Crédito Enviado',
'invoice_viewed' => 'Factura Vista',
'quote_viewed' => 'Presupuesto Visto',
'quote_viewed' => 'Cotización Visto',
'credit_viewed' => 'Crédito Visto',
'quote_approved' => 'Presupuesto Aprobado',
'quote_approved' => 'Cotización Aprobado',
'receive_all_notifications' => 'Recibir Todas las Notificaciones',
'purchase_license' => 'Comprar Licencia',
'enable_modules' => 'Activar Módulos',
'converted_quote' => 'Presupuesto convertido correctamente',
'converted_quote' => 'Cotización convertida correctamente',
'credit_design' => 'Diseño de Crédito',
'includes' => 'Incluye',
'css_framework' => 'CSS Framework',
@ -3530,7 +3533,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'send_from_gmail' => 'Enviar desde Gmail',
'reversed' => 'Revertida',
'cancelled' => 'Cancelada',
'quote_amount' => 'Total de Presupuesto',
'quote_amount' => 'Total de Cotización',
'hosted' => 'Hospedado',
'selfhosted' => 'Hospedaje Propio',
'hide_menu' => 'Ocultar Menú',
@ -3541,7 +3544,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'search_invoices' => 'Buscar Facturas',
'search_clients' => 'Buscar Clientes',
'search_products' => 'Buscar Productos',
'search_quotes' => 'Buscar Presupuestos',
'search_quotes' => 'Buscar Cotizaciones',
'search_credits' => 'Buscar Créditos',
'search_vendors' => 'Buscar Proveedores',
'search_users' => 'Buscar Usuarios',
@ -3611,19 +3614,19 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'client_settings' => 'Configuración de Cliente',
'selected_invoices' => 'Facturas Seleccionadas',
'selected_payments' => 'Pagos Seleccionados',
'selected_quotes' => 'Presupuestos Seleccionados',
'selected_quotes' => 'Cotizaciones Seleccionados',
'selected_tasks' => 'Tareas Seleccionadas',
'selected_expenses' => 'Gastos Seleccionados',
'past_due_invoices' => 'Facturas Fuera de Plazo',
'create_payment' => 'Crear Pago',
'update_quote' => 'Actualizar Presupuesto',
'update_quote' => 'Actualizar Cotización',
'update_invoice' => 'Actualizar Factura',
'update_client' => 'Actualizar Cliente',
'update_vendor' => 'Actualizar Proveedor',
'create_expense' => 'Crear Gasto',
'update_expense' => 'Actualizar Gasto',
'update_task' => 'Actualizar Tarea',
'approve_quote' => 'Aprobar Presupuesto',
'approve_quote' => 'Aprobar Cotización',
'when_paid' => 'Al Pagar',
'expires_on' => 'Expira el',
'show_sidebar' => 'Mostrar Barra Lateral',
@ -3658,7 +3661,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'search_invoice' => 'Buscar 1 Factura',
'search_client' => 'Buscar 1 Cliente',
'search_product' => 'Buscar 1 Producto',
'search_quote' => 'Buscar 1 Presupuesto',
'search_quote' => 'Buscar 1 Cotización',
'search_credit' => 'Buscar 1 Crédito',
'search_vendor' => 'Buscar 1 Proveedor',
'search_user' => 'Buscar 1 Usuario',
@ -3678,7 +3681,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'force_update_help' => 'Estás usando la última versión, pero puede haber corrección de errores pendientes.',
'mark_paid_help' => 'Seguir que la factura haya sido pagada',
'mark_invoiceable_help' => 'Activar que el gasto sea facturable',
'add_documents_to_invoice_help' => 'Make the documents visible to client',
'add_documents_to_invoice_help' => 'Hacer los documentos visibles al cliente.',
'convert_currency_help' => 'Establecer un tipo de cambio',
'expense_settings' => 'Configuración de Gastos',
'clone_to_recurring' => 'Clonar a Recurrente',
@ -3759,7 +3762,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'tax_name2' => 'Nombre de Impuesto 2',
'transaction_id' => 'ID de Transacción',
'invoice_late' => 'Atraso de Factura',
'quote_expired' => 'Presupuesto Expirado',
'quote_expired' => 'Cotización Expirado',
'recurring_invoice_total' => 'Total Factura',
'actions' => 'Acciones',
'expense_number' => 'Número de Gasto',
@ -3768,7 +3771,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'view_settings' => 'Ver Configuración',
'company_disabled_warning' => 'Advertencia: esta compañía aún no ha sido activada',
'late_invoice' => 'Factura Atrasada',
'expired_quote' => 'Presupuesto Expirado',
'expired_quote' => 'Cotización Expirado',
'remind_invoice' => 'Recordar Factura',
'client_phone' => 'Teléfono del Cliente',
'required_fields' => 'Campos Requeridos',
@ -3950,7 +3953,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'permanently_remove_payment_method' => 'Eliminar permanentemente este medio de pago.',
'warning_action_cannot_be_reversed' => '¡Atención! ¡Esta acción no se puede revertir!',
'confirmation' => 'Confirmación',
'list_of_quotes' => 'Presupuestos',
'list_of_quotes' => 'Cotizaciones',
'waiting_for_approval' => 'Esperando aprobación',
'quote_still_not_approved' => 'Este presupuesto todavía no está aprobado',
'list_of_credits' => 'Créditos',
@ -4051,7 +4054,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'save_payment_method_details' => 'Guardar detalles del método de pago',
'new_card' => 'Nueva tarjeta',
'new_bank_account' => 'Nueva cuenta bancaria',
'company_limit_reached' => 'Límite de 10 compañías por cuenta.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'El total de crédito aplicado no puede ser superior que el total de facturas',
'credit_number_taken' => 'El número de crédito ya existe',
'credit_not_found' => 'Crédito no encontrado',
@ -4096,7 +4099,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'invoice_license_or_environment' => 'Licencia inválida, o entorno :environment inválido',
'route_not_available' => 'Ruta no disponible',
'invalid_design_object' => 'Objeto de diseño personalizado no válido',
'quote_not_found' => 'Presupuesto(s) no encontrado(s)',
'quote_not_found' => 'Cotización(s) no encontrado(s)',
'quote_unapprovable' => 'No se puede aprobar este presupuesto porque ha expirado.',
'scheduler_has_run' => 'El planificador se ha ejecutado',
'scheduler_has_never_run' => 'El planificador nunca se ha ejecutado',
@ -4189,8 +4192,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'client_id_number' => 'Número ID Cliente',
'count_minutes' => ':count Minutos',
'password_timeout' => 'Caducidad de Contraseña',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'shared_invoice_credit_counter' => 'Numeración de facturas y créditos compartidas',
'activity_80' => ':user creó la suscripción :subscription',
'activity_81' => ':user actualizó la suscripción :subscription',
'activity_82' => ':user archivó la suscripción :subscription',
@ -4198,18 +4200,17 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'activity_84' => ':user restauró la suscripción :subscription',
'amount_greater_than_balance_v5' => 'La cantidad es superior al total de factura. No puedes sobrepagar una factura.',
'click_to_continue' => 'Pulsa para continuar',
'notification_invoice_created_body' => 'Se creó la factura nº :invoice para el cliente :client por importe de :amount.',
'notification_invoice_created_subject' => 'La factura nº :invoice fue creada para :client',
'notification_quote_created_body' => 'Se creó el presupuesto nº :invoice para el cliente :client por importe de :amount.',
'notification_quote_created_subject' => 'El presupuesto nº :invoice fue creado para :client',
'notification_quote_created_subject' => 'El presupuesto nº :invoice fue creada para :client',
'notification_credit_created_body' => 'Se creó el crédito nº :invoice para el cliente :client por importe de :amount.',
'notification_credit_created_subject' => 'El crédito nº :invoice fue creado para :client',
'max_companies' => 'Máximo de empresas migradas',
'max_companies_desc' => 'Ha alcanzado su número máximo de empresas. Elimine empresas existentes para migrar otras nuevas.',
'migration_already_completed' => 'Empresa ya migrada',
'migration_already_completed_desc' => 'Parece que ya ha migrado <b> :company_name </b>a la versión V5 de Invoice Ninja. En caso de que desee comenzar de nuevo, puede forzar la migración para borrar los datos existentes.',
'payment_method_cannot_be_authorized_first' => 'This payment method can be can saved for future use, once you complete your first transaction. Don\'t forget to check "Store details" during payment process.',
'payment_method_cannot_be_authorized_first' => 'Este método de pago se puede guardar para uso futuro una vez que complete su primera transacción. No olvide comprobar la opción "Guardar los datos de la tarjeta de crédito" durante el proceso de pago.',
'new_account' => 'Nueva cuenta',
'activity_100' => ':user creó la factura recurrente nº :recurring_invoice',
'activity_101' => ':user actualizó la factura recurrente nº :recurring_invoice',
@ -4284,6 +4285,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'przelewy24_accept' => 'Declaro que me he familiarizado con las regulaciones y la obligación de información del servicio Przelewy24.',
'giropay' => 'GiroPay',
'giropay_law' => 'Al ingresar su información de Cliente (como nombre, código de clasificación y número de cuenta), usted (el Cliente) acepta que esta información se proporciona voluntariamente.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'Débito directo BECS',
'becs_mandate' => 'Al proporcionar los detalles de su cuenta bancaria, acepta esta Solicitud de débito directo <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">y el acuerdo de servicio de solicitud de débito directo</a>, y autoriza a Stripe Payments Australia Pty Ltd ACN 160 180 343 Número de identificación de usuario de débito directo 507156 (“Stripe”) para debitar su cuenta a través de Bulk Electronic Clearing System (BECS) en nombre de :company (el “Comerciante”) por cualquier importe que el Comerciante le comunique por separado. Usted certifica que es titular de una cuenta o un signatario autorizado de la cuenta que se menciona arriba.',
@ -4310,7 +4312,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'payment_type_Bancontact' => 'Bancontact',
'payment_type_BECS' => 'BECS',
'payment_type_ACSS' => 'ACSS',
'gross_line_total' => 'Gross line total',
'gross_line_total' => 'Total línea bruto',
'lang_Slovak' => 'Eslovaco',
'normal' => 'Normal',
'large' => 'Grande',
@ -4351,7 +4353,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'app' => 'App',
'for_best_performance' => 'Para obtener el mejor rendimiento, descargue la aplicación :app',
'bulk_email_invoice' => 'Factura por correo electrónico',
'bulk_email_quote' => 'Presupuesto por correo electrónico',
'bulk_email_quote' => 'Cotización por correo electrónico',
'bulk_email_credit' => 'Crédito por correo electrónico',
'removed_recurring_expense' => 'Gasto recurrente eliminado con éxito',
'search_recurring_expense' => 'Buscar gastos recurrentes',
@ -4430,11 +4432,11 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'count_session' => '1 Sesión',
'count_sessions' => 'Sesiones',
'invoice_created' => 'Factura creada',
'quote_created' => 'Presupuesto creado',
'quote_created' => 'Cotización creada',
'credit_created' => 'Crédito creado',
'enterprise' => 'Empresarial',
'invoice_item' => 'Artículo de factura',
'quote_item' => 'Artículo de Presupuesto',
'quote_item' => 'Artículo de Cotización',
'order' => 'Orden',
'search_kanban' => 'Buscar Kanban',
'search_kanbans' => 'Buscar Kanban',
@ -4449,12 +4451,12 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'letter' => 'Carta',
'legal' => 'Legal',
'page_layout' => 'Diseño de página',
'portrait' => 'Portrait',
'landscape' => 'Landscape',
'portrait' => 'Vertical',
'landscape' => 'Horizontal',
'owner_upgrade_to_paid_plan' => 'El propietario de la cuenta puede actualizar a un plan de pago para habilitar la configuración avanzada',
'upgrade_to_paid_plan' => 'Actualice a un plan pago para habilitar la configuración avanzada',
'invoice_payment_terms' => 'Términos de pago de facturas',
'quote_valid_until' => 'Presupuesto válido hasta',
'quote_valid_until' => 'Cotización válido hasta',
'no_headers' => 'Sin encabezados',
'add_header' => 'Añadir encabezado',
'remove_header' => 'Eliminar encabezado',
@ -4548,28 +4550,28 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'upgrade_to_view_reports' => 'Actualice su plan para ver los informes',
'started_tasks' => ':value Tareas iniciadas con éxito',
'stopped_tasks' => ':value Tareas detenidas con éxito',
'approved_quote' => 'Presupuesto aprobado con éxito',
'approved_quotes' => ':value Presupuestos aprobados con éxito',
'approved_quote' => 'Cotización aprobado con éxito',
'approved_quotes' => ':value Cotizaciones aprobados con éxito',
'client_website' => 'Sitio web del cliente',
'invalid_time' => 'Hora inválida',
'signed_in_as' => 'Registrado como',
'total_results' => 'Resultados totales',
'restore_company_gateway' => 'Restaurar pasarela de pago',
'archive_company_gateway' => 'Archivar pasarela de pago',
'delete_company_gateway' => 'Eliminar pasarela de pago',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Cambio de divisas',
'tax_amount1' => 'Importe del impuesto 1',
'tax_amount2' => 'Importe del impuesto 2',
'tax_amount3' => 'Importe del impuesto 3',
'update_project' => 'Actualizar proyecto',
'auto_archive_invoice_cancelled' => 'Archivar automáticamente las facturas canceladas',
'auto_archive_invoice_cancelled_help' => 'Automatically archive invoices when cancelled',
'auto_archive_invoice_cancelled_help' => 'Automáticamente archivar facturas cuando sean pagadas.',
'no_invoices_found' => 'No se encontraron facturas',
'created_record' => 'Registro creado con éxito',
'auto_archive_paid_invoices' => 'Archivar automáticamente los pagos',
'auto_archive_paid_invoices_help' => 'Archivar automáticamente las facturas cuando se pagan.',
'auto_archive_cancelled_invoices' => 'Archivar automáticamente las cancelaciones',
'auto_archive_cancelled_invoices_help' => 'Automatically archive invoices when cancelled.',
'auto_archive_cancelled_invoices_help' => 'Automáticamente archivar facturas cuando sean pagadas.',
'alternate_pdf_viewer' => 'Visor alternativo de PDF',
'alternate_pdf_viewer_help' => 'Mejorar el desplazamiento sobre la vista previa de PDF [BETA]',
'currency_cayman_island_dollar' => 'Dólar de las Islas Caimán',
@ -4727,9 +4729,9 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'total_outstanding_invoices' => 'Facturas Pendientes',
'total_completed_payments' => 'Pagos Completados',
'total_refunded_payments' => 'Pagos Reembolsados',
'total_active_quotes' => 'Presupuestos Activos',
'total_approved_quotes' => 'Presupuestos Aprobados',
'total_unapproved_quotes' => 'Presupuestos no aprobados',
'total_active_quotes' => 'Cotizaciones Activos',
'total_approved_quotes' => 'Cotizaciones Aprobados',
'total_unapproved_quotes' => 'Cotizaciones no aprobados',
'total_logged_tasks' => 'Tareas registradas',
'total_invoiced_tasks' => 'Tareas facturadas',
'total_paid_tasks' => 'Tareas pagadas',
@ -4761,14 +4763,140 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c
'restore_purchase_order' => 'Restaurar orden de compra',
'delete_purchase_order' => 'Eliminar orden de compra',
'connect' => 'Conectar',
'mark_paid_payment_email' => 'Mark Paid Payment Email',
'mark_paid_payment_email' => 'Marcar correo electrónico de pago como pagado',
'convert_to_project' => 'Convertir a proyecto',
'client_email' => 'Correo electrónico del cliente',
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project' => 'Facturar tarea de proyecto',
'invoice_task_project_help' => 'Añadir el proyecto a las partidas de la factura',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'bulk_action' => 'Acciones en grupo',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transacción',
'disable_2fa' => 'Deshabilitar verificación en dos pasos',
'change_number' => 'Cambiar Número',
'resend_code' => 'Reenviar código',
'base_type' => 'Tipo de base',
'category_type' => 'Tipo de Categoría',
'bank_transaction' => 'Transacción',
'bulk_print' => 'Imprimir PDF',
'vendor_postal_code' => 'Código postal del Proveedor',
'preview_location' => 'Previsualizar Locación',
'bottom' => 'Inferior',
'side' => 'Lado',
'pdf_preview' => 'Vista previa en PDF',
'long_press_to_select' => 'Mantenga presionado para seleccionar',
'purchase_order_item' => 'Artículo de orden de compra',
'would_you_rate_the_app' => 'Le gustaría valorar la aplicación? ',
'include_deleted' => 'Incluir borrados',
'include_deleted_help' => 'Incluir registros borrados en los reportes',
'due_on' => 'Expira en:',
'browser_pdf_viewer' => 'Usar el visor de PDF del navegador',
'browser_pdf_viewer_help' => 'Advertencia: impide interactuar con la aplicación a través del PDF',
'converted_transactions' => 'Transacciones convertidas con éxito',
'default_category' => 'Categoría por defecto',
'connect_accounts' => 'Conectar cuentas',
'manage_rules' => 'Administrar Reglas',
'search_category' => 'Buscar 1 Categoría',
'search_categories' => 'Buscar :count Categorías',
'min_amount' => 'Importe mínimo',
'max_amount' => 'Importe máximo',
'converted_transaction' => 'Transacción convertida con éxito',
'convert_to_payment' => 'Convertir en Pago',
'deposit' => 'Depósito',
'withdrawal' => 'Retirada',
'deposits' => 'Depósitos',
'withdrawals' => 'Retiradas',
'matched' => 'Emparejada',
'unmatched' => 'Desemparejar',
'create_credit' => 'Crear crédito',
'transactions' => 'Transacciones',
'new_transaction' => 'Nueva transacción',
'edit_transaction' => 'Editar transacción',
'created_transaction' => 'Transacción creada con éxito',
'updated_transaction' => 'Transacción actualizada con éxito',
'archived_transaction' => 'Transacción archivada con éxito',
'deleted_transaction' => 'Transacción eliminada con éxito',
'removed_transaction' => 'Transacción eliminada con éxito',
'restored_transaction' => 'Transacción restaurada con éxito',
'search_transaction' => 'Buscar transacción',
'search_transactions' => 'Buscar :count transacciones',
'deleted_bank_account' => 'Cuenta bancaria eliminada con éxito',
'removed_bank_account' => 'Cuenta bancaria eliminada con éxito',
'restored_bank_account' => 'Cuenta bancaria restaurada con éxito',
'search_bank_account' => 'Buscar Cuenta Bancaria',
'search_bank_accounts' => 'Buscar :count Cuentas Bancarias',
'code_was_sent_to' => 'Un código ha sido enviado vía SMS a :number',
'verify_phone_number_2fa_help' => 'Por favor verifique su número de teléfono para respalda su autenticación en dos pasos (2FA).',
'enable_applying_payments_later' => 'Habilitar la aplicación de pagos para más tarde',
'line_item_tax_rates' => 'Tasas de impuestos de elementos de línea',
'show_tasks_in_client_portal' => 'Mostrar tareas en el Portal del Cliente',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -255,6 +255,8 @@ $LANG = array(
'notification_invoice_paid' => 'Klient :client tegi makse summas :amount arvele :invoice.',
'notification_invoice_sent' => 'Antud kliendile :client saadeti meili teel arve :invoice summas :amount.',
'notification_invoice_viewed' => 'Antud klient :client vaatas arvet :invoice summas :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Saate oma konto parooli lähtestada, klõpsates järgmist nuppu:',
'secure_payment' => 'Turvaline Makse',
'card_number' => 'Kaardi Number',
@ -2498,6 +2500,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Nõustuge Alipayga',
'enable_sofort' => 'Aktsepteerige EU pangaülekandeid',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4058,7 +4061,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4197,7 +4200,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4205,7 +4207,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4291,6 +4292,7 @@ $LANG = array(
'przelewy24_accept' => 'Kinnitan, et olen tutvunud Przelewy24 teenuse eeskirjade ja teabekohustusega.',
'giropay' => 'GiroPay',
'giropay_law' => 'Sisestades oma Kliendi andmed (nagu nimi, sortimiskood ja kontonumber), nõustute (Klient) selle teabe andmisega vabatahtlikult.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS otsekorraldus',
'becs_mandate' => 'Oma pangakonto andmete esitamisega nõustute sellega <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Otsekorralduse taotlus ja otsekorraldustaotluse teenuseleping</a>ja volitada Stripe Payments Australia Pty Ltd ACN 160 180 343 otsekorralduse kasutaja ID-numbrit 507156 ("Stripe") debiteerima teie kontot elektroonilise hulgiarveldussüsteemi (BECS) kaudu ettevõtte :company ("Müüja") nimel mis tahes summade eest müüja teile eraldi edastas. Kinnitate, et olete ülalnimetatud konto omanik või volitatud allkirjastaja.',
@ -4561,9 +4563,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4774,8 +4776,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'A payment of :amount was made by client :client towards Invoice :invoice.',
'notification_invoice_sent' => 'The following client :client was emailed Invoice :invoice for :amount.',
'notification_invoice_viewed' => 'The following client :client viewed Invoice :invoice for :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'You can reset your account password by clicking the following button:',
'secure_payment' => 'Secure Payment',
'card_number' => 'Card Number',
@ -2501,6 +2503,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4061,7 +4064,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4200,7 +4203,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4208,7 +4210,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4294,6 +4295,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4564,9 +4566,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4777,8 +4779,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Asiakas :client maksoi :amount laskusta :invoice.',
'notification_invoice_sent' => 'Asiakkaalle :client lähetettiin lasku :invoice summalla :amount.',
'notification_invoice_viewed' => 'Asiakas :client avasi laskun :invoice summalla :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Voit palauttaa tilisi salasana klikkaamalla nappia',
'secure_payment' => 'Turvallinen maksu',
'card_number' => 'Kortin numero',
@ -2501,6 +2503,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA-maksu',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need be activated in :link.',
@ -4061,7 +4064,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'Uusi kortti',
'new_bank_account' => 'Uusi pankkitili',
'company_limit_reached' => 'Tilillä 10 yhtiön rajoitus',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Luoton numero on jo käytössä',
'credit_not_found' => 'Luottoa ei löydy',
@ -4200,7 +4203,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4208,7 +4210,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4294,6 +4295,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'Antamalla pankkitietosi, hyväksyt seuraavan <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit pyynnön ja Direct Debit pyyntö palvelunsopimuksen</a>, ja hyväksyt Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) veloittaamaan tiliäsi Bulk Electronic Clearing System (BECS) maksutavalla. :company puolesta. (“Myyjä”) mikä tahansa summa erikseen, jotka toimitettuna sinulle Myyjän toimesta. Takaat, että olet tilin omistaja tai hyväksytty tilin haltija, joka on listattuna yläpuolella.',
@ -4564,9 +4566,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4777,8 +4779,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -51,7 +51,7 @@ $LANG = array(
'add_contact' => 'Ajouter un contact',
'create_new_client' => 'Ajouter un nouveau client',
'edit_client_details' => 'Modifier les informations du client',
'enable' => 'Activé(e)',
'enable' => 'Activer',
'learn_more' => 'En savoir plus',
'manage_rates' => 'Gérer les taux',
'note_to_client' => 'Commentaire pour le client',
@ -200,7 +200,7 @@ $LANG = array(
'removed_logo' => 'Logo supprimé avec succès',
'sent_message' => 'Message envoyé avec succès',
'invoice_error' => 'Veuillez vous assurer de sélectionner un client et de corriger les erreurs',
'limit_clients' => 'Sorry, this will exceed the limit of :count clients. Please upgrade to a paid plan.',
'limit_clients' => 'Désolé, cela va dépasser la limite de :count clients. Veuillez passer à un forfait payant.',
'payment_error' => 'Il y a eu une erreur lors du traitement de votre paiement. Veuillez réessayer ultérieurement',
'registration_required' => 'Veuillez vous enregistrer pour envoyer une facture par e-mail',
'confirmation_required' => 'Veuillez confirmer votre adresse e-mail, :link pour renvoyer l\'e-mail de confirmation.',
@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Un paiement de :amount a été effectué par le client :client concernant la facture :invoice.',
'notification_invoice_sent' => 'Le client :client a reçu par e-mail la facture :invoice d\'un montant de :amount',
'notification_invoice_viewed' => 'Le client :client a vu la facture :invoice d\'un montant de :amount',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Vous pouvez réinitialiser votre mot de passe en cliquant sur le lien suivant :',
'secure_payment' => 'Paiement sécurisé',
'card_number' => 'Numéro de carte',
@ -794,7 +796,7 @@ $LANG = array(
'activity_51' => ':user a supprimé l\'utilisateur :user',
'activity_52' => ':user a restauré l\'utilisateur :user',
'activity_53' => ':user a marqué la facture :invoice comme envoyée',
'activity_54' => ':user paid invoice :invoice',
'activity_54' => ':user a payé la facture :invoice',
'activity_55' => ':contact a répondu au ticket :ticket',
'activity_56' => ':user a visualisé le ticket :ticket',
@ -998,7 +1000,7 @@ $LANG = array(
'status_approved' => 'Approuvé',
'quote_settings' => 'Paramètres des devis',
'auto_convert_quote' => 'Convertir automatiquement',
'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved.',
'auto_convert_quote_help' => 'Convertir automatiquement un devis en facture dès qu\'il est approuvé par le client.',
'validate' => 'Valider',
'info' => 'Info',
'imported_expenses' => ':count_vendors fournisseur(s) et :count_expenses dépense(s) créé[e](s) avec succès',
@ -1299,7 +1301,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'account_holder_type' => 'Veuillez sélectionner le type de compte',
'ach_authorization' => 'J\'autorise :company à utiliser mes données bancaires pour de futurs paiements, et si besoin de créditer mon compte par voie électronique afin de corriger d\'éventuelles erreurs de débits. Je comprends que je suis en mesure d\'annuler cette autorisation à tout moment en supprimant mon moyen de paiement ou en contactant :email.',
'ach_authorization_required' => 'Vous devez consentir aux transactions ACH.',
'off' => 'Fermé',
'off' => 'Desactivé',
'opt_in' => 'Désactivé',
'opt_out' => 'Activé',
'always' => 'Toujours',
@ -2054,7 +2056,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'switch_to_primary' => 'Veuillez basculer vers votre entreprise initiale (:name) pour gérer votre plan d\'abonnement.',
'inclusive' => 'Inclusif',
'exclusive' => 'Exclusif',
'postal_city_state' => 'Ville/Province (Département)/Code postal',
'postal_city_state' => 'Code postal/Ville/Province (Département)',
'phantomjs_help' => 'Dans certains cas, l\'application utilise :link_phantom pour générer le PDF. Installez :link_docs pour le générer localement.',
'phantomjs_local' => 'Utilise PhantomJS local',
'client_number' => 'Numéro de client',
@ -2254,7 +2256,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'expense_link' => 'Dépenses',
'resume_task' => 'Relancer la tâche',
'resumed_task' => 'Tâche relancée avec succès',
'quote_design' => 'Mise en page des Devis',
'quote_design' => 'Modèle des offres',
'default_design' => 'Conception standard',
'custom_design1' => 'Modèle personnalisé 1',
'custom_design2' => 'Modèle personnalisé 2',
@ -2495,6 +2497,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'Prélèvement automatique/domiciliation SEPA',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accepter Alipay',
'enable_sofort' => 'Accepter les transferts bancaires européens',
'stripe_alipay_help' => 'Ces passerelles doivent aussi être activées dans :link.',
@ -2816,11 +2819,11 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'invalid_url' => 'URL invalide',
'workflow_settings' => 'Paramètres de flux de travail',
'auto_email_invoice' => 'Envoyer automatiquement par courriel',
'auto_email_invoice_help' => 'Automatically email recurring invoices when created.',
'auto_email_invoice_help' => 'Envoyer automatiquement par courriel les factures récurrentes lorsqu\'elles sont créés.',
'auto_archive_invoice' => 'Archiver automatiquement',
'auto_archive_invoice_help' => 'Automatically archive invoices when paid.',
'auto_archive_invoice_help' => 'Archiver automatiquement les factures lorsqu\'elles sont payées.',
'auto_archive_quote' => 'Archiver automatiquement',
'auto_archive_quote_help' => 'Automatically archive quotes when converted to invoice.',
'auto_archive_quote_help' => 'Archiver automatiquement les devis lorsqu\'ils sont convertis en factures',
'require_approve_quote' => 'Demande d\'approbation du devis',
'require_approve_quote_help' => 'Exiger des clients qu\'ils approuvent les devis.',
'allow_approve_expired_quote' => 'Autoriser l\'approbation des devis expirés',
@ -3128,7 +3131,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'password_is_too_short' => 'Mot de passe trop court',
'failed_to_find_record' => 'Élément non trouvé',
'valid_until_days' => 'Ισχύει Μέχρι',
'valid_until_days_help' => 'Ρυθμίζει αυτόματα το 1 Ισχύει Μέχρι το 1 η τιμή στις προσφορές σε αυτό για πολλές μέρες στο μέλλον. Αφήστε καινό για απενεργοποίηση.',
'valid_until_days_help' => 'Automatically sets the <b>Valid Until</b> value on quotes to this many days in the future. Leave blank to disable.',
'usually_pays_in_days' => 'Jours',
'requires_an_enterprise_plan' => 'Χρειάζεται πλάνο επιχείρησης',
'take_picture' => 'Φωτογραφίσετε ',
@ -3173,7 +3176,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'created_user' => 'Utilisateur créé avec succès avec succès',
'primary_font' => 'Police principale',
'secondary_font' => 'Police secondaire',
'number_padding' => 'Marge interne du nombre',
'number_padding' => 'Marge interne du numéro',
'general' => 'Général',
'surcharge_field' => 'Champ Surcharge',
'company_value' => 'Valeur de compagnie',
@ -3181,7 +3184,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'payment_field' => 'Champ de Paiement',
'group_field' => 'Champ de Groupe',
'number_counter' => 'Compteur de nombre',
'number_pattern' => 'Modèle de nombre',
'number_pattern' => 'Modèle de numéro',
'custom_javascript' => 'JavaScript personnalisé',
'portal_mode' => 'Mode portail',
'attach_pdf' => 'Joindre PDF',
@ -3299,7 +3302,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'group2' => 'Champ personnalisé Groupe 2',
'group3' => 'Champ personnalisé Groupe 3',
'group4' => 'Champ personnalisé Groupe 4',
'number' => 'Nombre',
'number' => 'Numéro',
'count' => 'Compte',
'is_active' => 'Actif',
'contact_last_login' => 'Dernière connexion du contact',
@ -3320,7 +3323,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'include_recent_errors' => 'Contient les erreurs récentes des journaux',
'your_message_has_been_received' => 'Nous avons reçu votre message et répondrons dans les meilleurs délais',
'show_product_details' => 'Voir les détails du produit',
'show_product_details_help' => 'Veuillez inclure la description et le coût dans la liste déroulante du produit',
'show_product_details_help' => 'Inclure la description et le coût dans la liste déroulante du produit',
'pdf_min_requirements' => 'Le générateur de PDF nécessite la version :version',
'adjust_fee_percent' => 'Ajuster le pourcentage de frais',
'configure_settings' => 'Modifier les paramètres',
@ -3332,7 +3335,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'client_portal_dashboard' => 'Tableau de bord du portail client',
'please_enter_a_value' => 'Saisissez une valeur',
'deleted_logo' => 'Le logo a été supprimé',
'generate_number' => 'Générer un nombre',
'generate_number' => 'Générer un numéro',
'when_saved' => 'Lors de l\'enregistrement',
'when_sent' => 'Lors de l\'envoi',
'select_company' => 'Sélectionner une entreprise',
@ -3408,7 +3411,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'credit_number_counter' => 'Modèle de compteur de crédit',
'reset_counter_date' => 'Remise à zéro du compteur de date',
'counter_padding' => 'Espacement du compteur',
'shared_invoice_quote_counter' => 'Share Invoice Quote Counter',
'shared_invoice_quote_counter' => ' Partager le compteur pour les facture et les offres',
'default_tax_name_1' => 'Nom par défaut de la taxe 1',
'default_tax_rate_1' => 'Taux par défaut de la taxe 1',
'default_tax_name_2' => 'Nom par défaut de la taxe 2',
@ -3477,7 +3480,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'purchase_license' => 'Acheter une licence',
'enable_modules' => 'Activer les modules',
'converted_quote' => 'La devis a été converti avec succès',
'credit_design' => 'Design des crédits',
'credit_design' => 'Modèle de crédit',
'includes' => 'Inclus',
'css_framework' => 'Framework CSS',
'custom_designs' => 'Modèles personnalisés',
@ -3541,7 +3544,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'show_menu' => 'Afficher le menu',
'partially_refunded' => 'Remboursé partiellement',
'search_documents' => 'Rechercher des documents',
'search_designs' => 'Rechercher des designs',
'search_designs' => 'Rechercher des modèles',
'search_invoices' => 'Rechercher des factures',
'search_clients' => 'Rechercher des clients',
'search_products' => 'Rechercher des produits',
@ -3682,7 +3685,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'force_update_help' => 'Vous utilisez la dernière version mais il se peut que des corrections soient en attente.',
'mark_paid_help' => 'Suivez les dépenses qui ont été payées',
'mark_invoiceable_help' => 'Activer la facturation des dépenses',
'add_documents_to_invoice_help' => 'Make the documents visible to client',
'add_documents_to_invoice_help' => 'Rendre les documents visibles pour le client',
'convert_currency_help' => 'Définir un taux de change',
'expense_settings' => 'Réglages des dépenses',
'clone_to_recurring' => 'Cloner en récurrence',
@ -3737,10 +3740,10 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'deleted_task_status' => 'Statut de tâche supprimé',
'removed_task_status' => 'Statut de la tâche supprimé avec succès',
'restored_task_status' => 'Statut de la tâche restauré avec succès',
'search_task_status' => 'Search 1 Task Status',
'search_task_statuses' => 'Search :count Task Statuses',
'show_tasks_table' => 'Show Tasks Table',
'show_tasks_table_help' => 'Always show the tasks section when creating invoices',
'search_task_status' => 'Recherche 1 état de tâche',
'search_task_statuses' => 'Recherche :count états de tâche',
'show_tasks_table' => 'Afficher la table des tâches',
'show_tasks_table_help' => 'Toujours montrer la section des tâches lors de la création de factures',
'invoice_task_timelog' => 'Invoice Task Timelog',
'invoice_task_timelog_help' => 'Add time details to the invoice line items',
'auto_start_tasks_help' => 'Démarrer les tâches avant d\'enregistrer',
@ -3755,7 +3758,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'show_option' => 'Montrer l\'option',
'negative_payment_error' => 'Le montant du crédit ne peut pas dépasser le montant du paiement',
'should_be_invoiced_help' => 'Activer la dépense pour être facturée',
'configure_gateways' => 'Configure Gateways',
'configure_gateways' => 'Configurer les passerelles',
'payment_partial' => 'Partial Payment',
'is_running' => 'Is Running',
'invoice_currency_id' => 'Invoice Currency ID',
@ -3787,7 +3790,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'expense_category_id' => 'Expense Category ID',
'view_licenses' => 'View Licenses',
'fullscreen_editor' => 'Fullscreen Editor',
'sidebar_editor' => 'Sidebar Editor',
'sidebar_editor' => 'Editeur de barre latérale',
'please_type_to_confirm' => 'Veuillez entrer ":value" pour confirmer',
'purge' => 'Purger',
'clone_to' => 'Cloner en',
@ -3855,12 +3858,12 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'is_amount_discount' => 'Is Amount Discount',
'map_to' => 'Map To',
'first_row_as_column_names' => 'Use first row as column names',
'no_file_selected' => 'No File Selected',
'no_file_selected' => 'Aucun fichier sélectionné',
'import_type' => 'Import Type',
'draft_mode' => 'Mode brouillon',
'draft_mode_help' => 'Preview updates faster but is less accurate',
'show_product_discount' => 'Show Product Discount',
'show_product_discount_help' => 'Display a line item discount field',
'show_product_discount' => 'Afficher les réductions des produits',
'show_product_discount_help' => 'Afficher un champ de réduction pour la position',
'tax_name3' => 'Tax Name 3',
'debug_mode_is_enabled' => 'Debug mode is enabled',
'debug_mode_is_enabled_help' => 'Warning: it is intended for use on local machines, it can leak credentials. Click to learn more.',
@ -3875,7 +3878,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'converted_balance' => 'Converted Balance',
'is_sent' => 'Is Sent',
'document_upload' => 'Téléverser un document',
'document_upload_help' => 'Enable clients to upload documents',
'document_upload_help' => 'Activer l\'envoi de documents par les clients',
'expense_total' => 'Expense Total',
'enter_taxes' => 'Enter Taxes',
'by_rate' => 'By Rate',
@ -3885,13 +3888,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'after_taxes' => 'After Taxes',
'color' => 'Couleur',
'show' => 'Montrer',
'empty_columns' => 'Empty Columns',
'empty_columns' => 'Colonne vide',
'project_name' => 'Project Name',
'counter_pattern_error' => 'To use :client_counter please add either :client_number or :client_id_number to prevent conflicts',
'this_quarter' => 'Ce trimestre',
'to_update_run' => 'To update run',
'registration_url' => 'Registration URL',
'show_product_cost' => 'Show Product Cost',
'registration_url' => 'URL d\'inscription',
'show_product_cost' => 'Afficher les coûts des produits',
'complete' => 'Complete',
'next' => 'Suivant',
'next_step' => 'Étape suivante',
@ -3943,7 +3946,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'list_of_recurring_invoices' => 'List of recurring invoices',
'details_of_recurring_invoice' => 'Here are some details about recurring invoice',
'cancellation' => 'Cancellation',
'about_cancellation' => 'In case you want to stop the recurring invoice, please click to request the cancellation.',
'about_cancellation' => 'Pour cesser la facturation récurrente, cliquez pour demander l\'annulation.',
'cancellation_warning' => 'Warning! You are requesting a cancellation of this service. Your service may be cancelled with no further notification to you.',
'cancellation_pending' => 'Cancellation pending, we\'ll be in touch!',
'list_of_payments' => 'Liste des paiements',
@ -3964,7 +3967,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'env_not_writable' => '.env file is not writable by the current user.',
'minumum_php_version' => 'Version PHP minimale',
'satisfy_requirements' => 'Make sure all requirements are satisfied.',
'oops_issues' => 'Oops, something does not look right!',
'oops_issues' => 'Oups, quelque chose cloche !',
'open_in_new_tab' => 'Open in new tab',
'complete_your_payment' => 'Complete payment',
'authorize_for_future_use' => 'Authorize payment method for future use',
@ -4055,7 +4058,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'save_payment_method_details' => 'Enregister les détails du moyen de paiement',
'new_card' => 'Nouvelle carte',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4121,7 +4124,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'converted_paid_to_date' => 'Converted Paid to Date',
'converted_credit_balance' => 'Converted Credit Balance',
'converted_total' => 'Converted Total',
'reply_to_name' => 'Reply-To Name',
'reply_to_name' => 'Nom de réponse',
'payment_status_-2' => 'Partially Unapplied',
'color_theme' => 'Color Theme',
'start_migration' => 'Start Migration',
@ -4139,37 +4142,37 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'count_day' => '1 Day',
'count_days' => ':count Days',
'web_session_timeout' => 'Web Session Timeout',
'security_settings' => 'Security Settings',
'security_settings' => 'Paramètres de sécurité',
'resend_email' => 'Resend Email',
'confirm_your_email_address' => 'Please confirm your email address',
'confirm_your_email_address' => 'Merci de confirmer votre adresse e-mail',
'freshbooks' => 'FreshBooks',
'invoice2go' => 'Invoice2go',
'invoicely' => 'Invoicely',
'waveaccounting' => 'Wave Accounting',
'zoho' => 'Zoho',
'accounting' => 'Accounting',
'required_files_missing' => 'Please provide all CSVs.',
'migration_auth_label' => 'Let\'s continue by authenticating.',
'required_files_missing' => 'Merci de fournir tous les CSV',
'migration_auth_label' => 'Continuons avec l\'authentification',
'api_secret' => 'API secret',
'migration_api_secret_notice' => 'You can find API_SECRET in the .env file or Invoice Ninja v5. If property is missing, leave field blank.',
'billing_coupon_notice' => 'Your discount will be applied on the checkout.',
'use_last_email' => 'Use last email',
'activate_company' => 'Activate Company',
'activate_company_help' => 'Enable emails, recurring invoices and notifications',
'an_error_occurred_try_again' => 'An error occurred, please try again',
'please_first_set_a_password' => 'Please first set a password',
'changing_phone_disables_two_factor' => 'Warning: Changing your phone number will disable 2FA',
'help_translate' => 'Help Translate',
'please_select_a_country' => 'Please select a country',
'disabled_two_factor' => 'Successfully disabled 2FA',
'activate_company_help' => 'Activer les e-mails, factures récurrentes et notifications',
'an_error_occurred_try_again' => 'Une erreur s\'est produite, veuillez réessayer',
'please_first_set_a_password' => 'Veuillez d\'abord définir un mot de passe',
'changing_phone_disables_two_factor' => 'Attention: Le changement de votre numéro de téléphone va désactiver la 2FA',
'help_translate' => 'Aidez à traduire',
'please_select_a_country' => 'Veuillez sélectionner un pays',
'disabled_two_factor' => 'la 2FA a été désactivée avec succès',
'connected_google' => 'Successfully connected account',
'disconnected_google' => 'Successfully disconnected account',
'delivered' => 'Delivered',
'spam' => 'Spam',
'view_docs' => 'View Docs',
'enter_phone_to_enable_two_factor' => 'Please provide a mobile phone number to enable two factor authentication',
'send_sms' => 'Send SMS',
'sms_code' => 'SMS Code',
'enter_phone_to_enable_two_factor' => 'Veuillez fournir un numéro de téléphone mobile pour activer l\'authentification à deux facteurs',
'send_sms' => 'Envoyer un SMS',
'sms_code' => 'Code SMS',
'connect_google' => 'Connect Google',
'disconnect_google' => 'Disconnect Google',
'disable_two_factor' => 'Disable Two Factor',
@ -4193,16 +4196,14 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'client_id_number' => 'Client ID Number',
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'shared_invoice_credit_counter' => 'Partager le compteur pour les factures et les crédits',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
'activity_83' => ':user deleted subscription :subscription',
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'click_to_continue' => 'Cliquer pour continuer',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4288,6 +4289,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4324,9 +4326,9 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'print_pdf' => 'Print PDF',
'remind_me' => 'Remind Me',
'instant_bank_pay' => 'Instant Bank Pay',
'click_selected' => 'Click Selected',
'hide_preview' => 'Hide Preview',
'edit_record' => 'Edit Record',
'click_selected' => 'Clic sur lélément sélectionné',
'hide_preview' => 'Cacher l\'aperçu',
'edit_record' => 'Editer l\'élément',
'credit_is_more_than_invoice' => 'The credit amount can not be more than the invoice amount',
'please_set_a_password' => 'Please set an account password',
'recommend_desktop' => 'We recommend using the desktop app for the best performance',
@ -4341,7 +4343,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'client_postal_code' => 'Client Postal Code',
'client_vat_number' => 'Client VAT Number',
'has_tasks' => 'Has Tasks',
'registration' => 'Registration',
'registration' => 'Inscription',
'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.',
'fpx' => 'FPX',
'update_all_records' => 'Update all records',
@ -4377,7 +4379,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'expense_tax_help' => 'Item tax rates are disabled',
'enable_markdown' => 'Enable Markdown',
'enable_markdown_help' => 'Convert markdown to HTML on the PDF',
'add_second_contact' => 'Add Second Contact',
'add_second_contact' => 'Ajouter un contact secondaire',
'previous_page' => 'Previous Page',
'next_page' => 'Next Page',
'export_colors' => 'Export Colors',
@ -4386,10 +4388,10 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'contrast' => 'Contrast',
'custom_colors' => 'Custom Colors',
'colors' => 'Colors',
'sidebar_active_background_color' => 'Sidebar Active Background Color',
'sidebar_active_font_color' => 'Sidebar Active Font Color',
'sidebar_inactive_background_color' => 'Sidebar Inactive Background Color',
'sidebar_inactive_font_color' => 'Sidebar Inactive Font Color',
'sidebar_active_background_color' => 'Couleur d\'arrière-plan de la barre latérale active',
'sidebar_active_font_color' => 'Couleur de police de la barre latérale active',
'sidebar_inactive_background_color' => 'Couleur d\'arrière-plan de la barre latérale inactive',
'sidebar_inactive_font_color' => 'Couleur de police de la barre latérale inactive',
'table_alternate_row_background_color' => 'Table Alternate Row Background Color',
'invoice_header_background_color' => 'Invoice Header Background Color',
'invoice_header_font_color' => 'Invoice Header Font Color',
@ -4401,10 +4403,10 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'free_trial_ends_today' => 'Today is the last day of the Pro plan trial, click to upgrade.',
'change_email' => 'Change Email',
'client_portal_domain_hint' => 'Optionally configure a separate client portal domain',
'tasks_shown_in_portal' => 'Tasks Shown in Portal',
'tasks_shown_in_portal' => 'Tâches affichées dans le portail',
'uninvoiced' => 'Uninvoiced',
'subdomain_guide' => 'The subdomain is used in the client portal to personalize links to match your brand. ie, https://your-brand.invoicing.co',
'send_time' => 'Send Time',
'send_time' => 'Heure d\'envoi',
'import_settings' => 'Import Settings',
'json_file_missing' => 'Please provide the JSON file',
'json_option_missing' => 'Please select to import the settings and/or data',
@ -4424,10 +4426,10 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'step_2_authorize' => 'Step 2: Authorize',
'account_id' => 'Account ID',
'migration_not_yet_completed' => 'The migration has not yet completed',
'show_task_end_date' => 'Show Task End Date',
'show_task_end_date' => 'Afficher la date de fin d\'une tâche',
'show_task_end_date_help' => 'Enable specifying the task end date',
'gateway_setup' => 'Gateway Setup',
'preview_sidebar' => 'Preview Sidebar',
'preview_sidebar' => 'Prévisualiser la barre latérale',
'years_data_shown' => 'Years Data Shown',
'ended_all_sessions' => 'Successfully ended all sessions',
'end_all_sessions' => 'End All Sessions',
@ -4452,13 +4454,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'is_viewed' => 'Is Viewed',
'letter' => 'Letter',
'legal' => 'Legal',
'page_layout' => 'Page Layout',
'page_layout' => 'Orientation de page',
'portrait' => 'Portrait',
'landscape' => 'Landscape',
'owner_upgrade_to_paid_plan' => 'The account owner can upgrade to a paid plan to enable the advanced advanced settings',
'upgrade_to_paid_plan' => 'Upgrade to a paid plan to enable the advanced settings',
'invoice_payment_terms' => 'Invoice Payment Terms',
'quote_valid_until' => 'Quote Valid Until',
'invoice_payment_terms' => 'Conditions de paiement des factures',
'quote_valid_until' => 'Offre valable jusqu\'au ',
'no_headers' => 'No Headers',
'add_header' => 'Add Header',
'remove_header' => 'Remove Header',
@ -4521,9 +4523,9 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'is_paid' => 'Is Paid',
'age_group_paid' => 'Paid',
'id' => 'Id',
'convert_to' => 'Convert To',
'client_currency' => 'Client Currency',
'company_currency' => 'Company Currency',
'convert_to' => 'Convertir dans',
'client_currency' => 'Devise du client',
'company_currency' => 'Devise de l\'entreprise',
'custom_emails_disabled_help' => 'To prevent spam we require upgrading to a paid account to customize the email',
'upgrade_to_add_company' => 'Upgrade your plan to add companies',
'file_saved_in_downloads_folder' => 'The file has been saved in the downloads folder',
@ -4540,10 +4542,10 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'cancel_invoice' => 'Cancel',
'changed_status' => 'Successfully changed task status',
'change_status' => 'Change Status',
'enable_touch_events' => 'Enable Touch Events',
'enable_touch_events' => 'Activer les événements \'Touch\'',
'enable_touch_events_help' => 'Support drag events to scroll',
'after_saving' => 'After Saving',
'view_record' => 'View Record',
'view_record' => 'Voir l\'élément',
'enable_email_markdown' => 'Enable Email Markdown',
'enable_email_markdown_help' => 'Use visual markdown editor for emails',
'enable_pdf_markdown' => 'Enable PDF Markdown',
@ -4558,47 +4560,47 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
'tax_amount3' => 'Tax Amount 3',
'update_project' => 'Update Project',
'auto_archive_invoice_cancelled' => 'Auto Archive Cancelled Invoice',
'auto_archive_invoice_cancelled_help' => 'Automatically archive invoices when cancelled',
'auto_archive_invoice_cancelled' => 'Archiver automatiquement une facture annulée',
'auto_archive_invoice_cancelled_help' => 'Archiver automatiquement les factures lorsqu\'elles sont annulées',
'no_invoices_found' => 'No invoices found',
'created_record' => 'Successfully created record',
'auto_archive_paid_invoices' => 'Auto Archive Paid',
'auto_archive_paid_invoices_help' => 'Automatically archive invoices when they are paid.',
'auto_archive_cancelled_invoices' => 'Auto Archive Cancelled',
'auto_archive_cancelled_invoices_help' => 'Automatically archive invoices when cancelled.',
'auto_archive_paid_invoices' => 'Archiver automatiquement une facture payée',
'auto_archive_paid_invoices_help' => 'Archiver automatiquement les factures lorsqu\'elles sont payées',
'auto_archive_cancelled_invoices' => 'Archiver automatiquement une facture annulée',
'auto_archive_cancelled_invoices_help' => 'Archiver automatiquement les factures lorsqu\'elles sont annulées',
'alternate_pdf_viewer' => 'Alternate PDF Viewer',
'alternate_pdf_viewer_help' => 'Improve scrolling over the PDF preview [BETA]',
'currency_cayman_island_dollar' => 'Cayman Island Dollar',
'download_report_description' => 'Please see attached file to check your report.',
'left' => 'Left',
'right' => 'Right',
'center' => 'Center',
'page_numbering' => 'Page Numbering',
'page_numbering_alignment' => 'Page Numbering Alignment',
'left' => 'Gauche',
'right' => 'Droite',
'center' => 'Centre',
'page_numbering' => 'Numéros de page',
'page_numbering_alignment' => 'Alignement des numéros de page',
'invoice_sent_notification_label' => 'Invoice Sent',
'show_product_description' => 'Show Product Description',
'show_product_description_help' => 'Include the description in the product dropdown',
'show_product_description' => 'Afficher la description des produits',
'show_product_description_help' => 'Inclure la description dans la liste déroulante du produit',
'invoice_items' => 'Invoice Items',
'quote_items' => 'Quote Items',
'profitloss' => 'Profit and Loss',
'import_format' => 'Import Format',
'export_format' => 'Export Format',
'export_type' => 'Export Type',
'stop_on_unpaid' => 'Stop On Unpaid',
'stop_on_unpaid_help' => 'Stop creating recurring invoices if the last invoice is unpaid.',
'use_quote_terms' => 'Use Quote Terms',
'use_quote_terms_help' => 'When converting a quote to an invoice',
'import_format' => 'Format d\'importation',
'export_format' => 'Format d\'exportation',
'export_type' => 'Type d\'exportation',
'stop_on_unpaid' => 'Arrêter en cas de non-paiement',
'stop_on_unpaid_help' => 'Arrêter la création de factures récurrentes si la dernière facture est impayée',
'use_quote_terms' => 'Utiliser les conditions des offres',
'use_quote_terms_help' => 'à la conversion d\'une offre en facture',
'add_country' => 'Add Country',
'enable_tooltips' => 'Enable Tooltips',
'enable_tooltips_help' => 'Show tooltips when hovering the mouse',
'enable_tooltips' => 'Activer les bulles d\'aide',
'enable_tooltips_help' => 'Affiche les bulles d\'aide au passage de la souris',
'multiple_client_error' => 'Error: records belong to more than one client',
'login_label' => 'Login to an existing account',
'purchase_order' => 'Purchase Order',
@ -4633,9 +4635,9 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'add_to_inventory' => 'Add to Inventory',
'added_purchase_order_to_inventory' => 'Successfully added purchase order to inventory',
'added_purchase_orders_to_inventory' => 'Successfully added purchase orders to inventory',
'client_document_upload' => 'Client Document Upload',
'vendor_document_upload' => 'Vendor Document Upload',
'vendor_document_upload_help' => 'Enable vendors to upload documents',
'client_document_upload' => 'Envoi de documents par les clients',
'vendor_document_upload' => 'Envoi de documents par les vendeurs',
'vendor_document_upload_help' => 'Activer l\'envoi de documents par les vendeurs',
'are_you_enjoying_the_app' => 'Are you enjoying the app?',
'yes_its_great' => 'Yes, it"s great!',
'not_so_much' => 'Not so much',
@ -4645,8 +4647,8 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'no_not_now' => 'No, not now',
'add' => 'Add',
'last_sent_template' => 'Last Sent Template',
'enable_flexible_search' => 'Enable Flexible Search',
'enable_flexible_search_help' => 'Match non-contiguous characters, ie. "ct" matches "cat"',
'enable_flexible_search' => 'Active la recherche flexible',
'enable_flexible_search_help' => 'Correspondance de caractères non contigus, par exemple, "ct" va trouver "cat"',
'vendor_details' => 'Vendor Details',
'purchase_order_details' => 'Purchase Order Details',
'qr_iban' => 'QR IBAN',
@ -4678,11 +4680,11 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'emailed_purchase_order' => 'Successfully queued purchase order to be sent',
'emailed_purchase_orders' => 'Successfully queued purchase orders to be sent',
'enable_react_app' => 'Change to the React web app',
'purchase_order_design' => 'Purchase Order Design',
'purchase_order_design' => 'Modèle de bon de commande',
'purchase_order_terms' => 'Purchase Order Terms',
'purchase_order_footer' => 'Purchase Order Footer',
'require_purchase_order_signature' => 'Purchase Order Signature',
'require_purchase_order_signature_help' => 'Require vendor to provide their signature.',
'require_purchase_order_signature' => 'Signature du bon de commande',
'require_purchase_order_signature_help' => 'Exiger que le vendeur fournisse sa signature',
'new_purchase_order' => 'New Purchase Order',
'edit_purchase_order' => 'Edit Purchase Order',
'created_purchase_order' => 'Successfully created purchase order',
@ -4694,17 +4696,17 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'search_purchase_order' => 'Search Purchase Order',
'search_purchase_orders' => 'Search Purchase Orders',
'login_url' => 'Login URL',
'enable_applying_payments' => 'Enable Applying Payments',
'enable_applying_payments_help' => 'Support separately creating and applying payments',
'enable_applying_payments' => 'Active la fonction \'Appliquer les paiements\'',
'enable_applying_payments_help' => 'Permet de créer et d\'appliquer les paiements séparément',
'stock_quantity' => 'Stock Quantity',
'notification_threshold' => 'Notification Threshold',
'track_inventory' => 'Track Inventory',
'track_inventory_help' => 'Display a product stock field and update when invoices are sent',
'stock_notifications' => 'Stock Notifications',
'stock_notifications_help' => 'Send an email when the stock reaches the threshold',
'track_inventory' => 'Gérer l\'inventaire',
'track_inventory_help' => 'Afficher un champ quantité en stock et le mettre à jour à l\'envoi de factures',
'stock_notifications' => 'Notifications de stock',
'stock_notifications_help' => 'Envoyer un email quand le stock atteint une valeur limite',
'vat' => 'VAT',
'view_map' => 'View Map',
'set_default_design' => 'Set Default Design',
'set_default_design' => 'Définir le modèle par défaut',
'add_gateway_help_message' => 'Add a payment gateway (ie. Stripe, WePay or PayPal) to accept online payments',
'purchase_order_issued_to' => 'Purchase Order issued to',
'archive_task_status' => 'Archive Task Status',
@ -4727,9 +4729,9 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'field' => 'Field',
'period' => 'Period',
'fields_per_row' => 'Fields Per Row',
'total_active_invoices' => 'Active Invoices',
'total_outstanding_invoices' => 'Outstanding Invoices',
'total_completed_payments' => 'Completed Payments',
'total_active_invoices' => 'Factures actives',
'total_outstanding_invoices' => 'Factures impayées',
'total_completed_payments' => 'Paiements effectués',
'total_refunded_payments' => 'Refunded Payments',
'total_active_quotes' => 'Active Quotes',
'total_approved_quotes' => 'Approved Quotes',
@ -4745,7 +4747,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'send_code' => 'Send Code',
'save_to_upload_documents' => 'Save the record to upload documents',
'expense_tax_rates' => 'Expense Tax Rates',
'invoice_item_tax_rates' => 'Invoice Item Tax Rates',
'invoice_item_tax_rates' => 'Taux de taxe des positions de facture',
'verified_phone_number' => 'Successfully verified phone number',
'code_was_sent' => 'A code has been sent via SMS',
'resend' => 'Resend',
@ -4771,8 +4773,134 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Emplacement de l\'aperçu',
'bottom' => 'En bas',
'side' => 'Sur le coté',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Utiliser le lecteur PDF du navigateur',
'browser_pdf_viewer_help' => 'Attention: Ne permet pas d\'interagir avec l\'application sur le PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Activer la fonction \'Appliquer les paiements plus tard\'',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Afficher les tâches dans le portail client',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Un paiement de :amount a été effectué par le client :client concernant la facture :invoice.',
'notification_invoice_sent' => 'Le client suivant :client a reçu par courriel la facture :invoice d\'un montant de :amount',
'notification_invoice_viewed' => 'Le client suivant :client a vu la facture :invoice d\'un montant de :amount',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Vous pouvez réinitialiser votre mot de passe en cliquant sur le lien suivant :',
'secure_payment' => 'Paiement sécurisé',
'card_number' => 'N° de carte',
@ -995,7 +997,7 @@ $LANG = array(
'status_approved' => 'Acceptée',
'quote_settings' => 'Paramètres des soumissions',
'auto_convert_quote' => 'Autoconversion',
'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved.',
'auto_convert_quote_help' => 'Convertir automatiquement une soumission lorsque celle-ci est approuvée.',
'validate' => 'Valider',
'info' => 'Info',
'imported_expenses' => ':count_vendors fournisseur(s) et :count_expenses dépense(s) ont été créés avec succès',
@ -2493,6 +2495,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Débit direct',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accepter Alipay',
'enable_sofort' => 'Accepter les tranferts de banques EU',
'stripe_alipay_help' => 'Ces passerelles doivent aussi être activées dans :link.',
@ -2814,9 +2817,9 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'invalid_url' => 'URL invalide',
'workflow_settings' => 'Paramètres de flux de travail',
'auto_email_invoice' => 'Envoi automatique',
'auto_email_invoice_help' => 'Automatically email recurring invoices when created.',
'auto_email_invoice_help' => 'Envoyer automatiquement un courriel lorsqu\'une facture récurente est créée.',
'auto_archive_invoice' => 'Autoarchivage',
'auto_archive_invoice_help' => 'Automatically archive invoices when paid.',
'auto_archive_invoice_help' => 'Archiver automatiquement les factures lorsqu\'elles sont payées.',
'auto_archive_quote' => 'Autoarchivage',
'auto_archive_quote_help' => 'Automatically archive quotes when converted to invoice.',
'require_approve_quote' => 'Approbation de soumission requise',
@ -4053,7 +4056,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'save_payment_method_details' => 'Enregistrer les infos de mode de paiement',
'new_card' => 'Nouvelle carte',
'new_bank_account' => 'Nouveau compte bancaire',
'company_limit_reached' => 'Limite de 10 entreprises par compte.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Le total des crédits octroyés ne peut être supérieur au total des factures',
'credit_number_taken' => 'Ce numéro de crédit est déjà utilisé',
'credit_not_found' => 'Crédit introuvable',
@ -4192,7 +4195,6 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'count_minutes' => ':count minutes',
'password_timeout' => 'Délai d\'expiration du mot de passe',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user a créé l\'abonnement :subscription',
'activity_81' => ':user a mis à jour l\'abonnement :subscription',
'activity_82' => ':user a archivé l\'abonnement :subscription',
@ -4200,7 +4202,6 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'activity_84' => ':user a restauré l\'abonnement :subscription',
'amount_greater_than_balance_v5' => 'Le montant est supérieur au solde de la facture. Vous ne pouvez pas payer en trop une facture.',
'click_to_continue' => 'Cliquez pour continuer',
'notification_invoice_created_body' => 'La facture :invoice a été créée pour le client :client au montant de :amount.',
'notification_invoice_created_subject' => 'La facture :invoice a été créée pour :client',
'notification_quote_created_body' => 'La soumission :invoice a été créée pour le client :client au montant de :amount.',
@ -4244,7 +4245,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'default_payment_method' => 'Make this your preferred way of paying.',
'already_default_payment_method' => 'This is your preferred way of paying.',
'auto_bill_disabled' => 'Autofacturation désactivée',
'select_payment_method' => 'Select a payment method:',
'select_payment_method' => 'Sélectionner une méthode de paiement:',
'login_without_password' => 'Log in without password',
'email_sent' => 'M\'envoyer un courriel quand une facture est <b>envoyée</b>',
'one_time_purchases' => 'One time purchases',
@ -4286,6 +4287,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4296,13 +4298,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'acss' => 'Pre-authorized debit payments',
'invalid_amount' => 'Invalid amount. Number/Decimal values only.',
'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 et Microsoft Pay',
'no_available_methods' => 'We can\'t find any credit cards on your device. <a href="https://invoiceninja.github.io/docs/payments#apple-pay-google-pay-microsoft-pay" target="_blank" class="underline">Read more about this.</a>',
'gocardless_mandate_not_ready' => 'Payment mandate is not ready. Please try again later.',
'payment_type_instant_bank_pay' => 'Instant Bank Pay',
'payment_type_iDEAL' => 'iDEAL',
'payment_type_Przelewy24' => 'Przelewy24',
'payment_type_Mollie Bank Transfer' => 'Mollie Bank Transfer',
'payment_type_Mollie Bank Transfer' => 'Virement bancaire mobile',
'payment_type_KBC/CBC' => 'KBC/CBC',
'payment_type_Instant Bank Pay' => 'Instant Bank Pay',
'payment_type_Hosted Page' => 'Hosted Page',
@ -4317,14 +4319,14 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'normal' => 'Normal',
'large' => 'Large',
'extra_large' => 'Extra Large',
'show_pdf_preview' => 'Show PDF Preview',
'show_pdf_preview_help' => 'Display PDF preview while editing invoices',
'print_pdf' => 'Print PDF',
'show_pdf_preview' => 'Afficher l\'aperçu PDF',
'show_pdf_preview_help' => 'Afficher l\'aperçu PDF lors de la rédaction des factures',
'print_pdf' => 'Imprimer le PDF',
'remind_me' => 'Remind Me',
'instant_bank_pay' => 'Instant Bank Pay',
'click_selected' => 'Click Selected',
'hide_preview' => 'Hide Preview',
'edit_record' => 'Edit Record',
'hide_preview' => 'Cacher l\'aperçu',
'edit_record' => 'Modifier l\'enregistrement',
'credit_is_more_than_invoice' => 'The credit amount can not be more than the invoice amount',
'please_set_a_password' => 'Please set an account password',
'recommend_desktop' => 'We recommend using the desktop app for the best performance',
@ -4352,9 +4354,9 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'error_cross_client_expenses' => 'Expenses must all belong to the same client',
'app' => 'App',
'for_best_performance' => 'For the best performance download the :app app',
'bulk_email_invoice' => 'Email Invoice',
'bulk_email_quote' => 'Email Quote',
'bulk_email_credit' => 'Email Credit',
'bulk_email_invoice' => 'Envoyer la facture par courriel',
'bulk_email_quote' => 'Envoyer la soumission par courriel',
'bulk_email_credit' => 'Envoyer le crédit par courriel',
'removed_recurring_expense' => 'Successfully removed recurring expense',
'search_recurring_expense' => 'Search Recurring Expense',
'search_recurring_expenses' => 'Search Recurring Expenses',
@ -4556,9 +4558,9 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4769,8 +4771,134 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -251,6 +251,8 @@ $LANG = array(
חשבונית :חשבנוית של :סכום',
'notification_invoice_viewed' => 'העמית :עמית ראה את החשבנוית
:חשבונית של :כמות.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'אפשר לשחזר סיסמתך לחשבון בלחיצה הכפתור זה:',
'secure_payment' => 'תשלום מובטח',
'card_number' => 'מספר כרטיס',
@ -2493,6 +2495,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4053,7 +4056,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'סך הזיכויים שהוחלו לא יכול להיות יותר מסך החשבוניות',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4192,7 +4195,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4200,7 +4202,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'הסכום גדול מיתרת החשבונית. אתה לא יכול לשלם יותר מסך חשבונית.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'החשבונית הבאה :invoice נוצרה עבור לקוח :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :חשבונית הופקה עבור :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4286,6 +4287,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4557,9 +4559,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4770,8 +4772,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Uplata u iznosu :amount je izvršena od strane :client prema računu :invoice.',
'notification_invoice_sent' => 'Slijedećem klijentu :client je poslan e-poštom račun :invoice na iznos :amount.',
'notification_invoice_viewed' => 'Slijedeći klijent :client je pregledao račun :invoice na iznos :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Možete resetirati zaporku za pristup svom računu klikom na tipku:',
'secure_payment' => 'Sigurna uplata',
'card_number' => 'Broj kartice',
@ -2502,6 +2504,7 @@ Nevažeći kontakt email',
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4062,7 +4065,7 @@ Nevažeći kontakt email',
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4201,7 +4204,6 @@ Nevažeći kontakt email',
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4209,7 +4211,6 @@ Nevažeći kontakt email',
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4295,6 +4296,7 @@ Nevažeći kontakt email',
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4565,9 +4567,9 @@ Nevažeći kontakt email',
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4778,8 +4780,134 @@ Nevažeći kontakt email',
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Un pagamento di :amount è stato effettuato dal cliente :client attraverso la fattura :invoice.',
'notification_invoice_sent' => 'Al seguente cliente :client è stata inviata via email la fattura :invoice di :amount.',
'notification_invoice_viewed' => 'Il seguente cliente :client ha visualizzato la fattura :invoice di :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Puoi resettare la password del tuo account cliccando sul link qui sotto:',
'secure_payment' => 'Pagamento Sicuro',
'card_number' => 'Numero Carta',
@ -2504,6 +2506,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accetta Alipay',
'enable_sofort' => 'Accetta trasferimenti bancari EU',
'stripe_alipay_help' => 'Queste piattaforme devono anche essere attivate in :link',
@ -4064,7 +4067,7 @@ $LANG = array(
'save_payment_method_details' => 'Salva i dettagli del metodo di pagamento',
'new_card' => 'Nuova carta',
'new_bank_account' => 'Nuovo conto bancario',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Il totale dei crediti applicati non può essere SUPERIORE al totale delle fatture',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credito non trovato',
@ -4203,7 +4206,6 @@ $LANG = array(
'count_minutes' => ':count Minuti',
'password_timeout' => 'Scadenza Password',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4211,7 +4213,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'L\'importo è superiore al saldo della fattura. Non si può pagare in eccesso una fattura.',
'click_to_continue' => 'Clicca per continuare',
'notification_invoice_created_body' => 'La fattura :invoice è stata creata per il cliente :client per :amount.',
'notification_invoice_created_subject' => 'La fattura :invoice è stata creata per :client',
'notification_quote_created_body' => 'Il preventivo :invoice è stato creato per il cliente :client per :amount.',
@ -4297,6 +4298,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4567,9 +4569,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4780,8 +4782,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'A payment of :amount was made by client :client towards Invoice :invoice.',
'notification_invoice_sent' => 'The following client :client was emailed Invoice :invoice for :amount.',
'notification_invoice_viewed' => 'The following client :client viewed Invoice :invoice for :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'You can reset your account password by clicking the following button:',
'secure_payment' => 'Secure Payment',
'card_number' => 'カード番号',
@ -2501,6 +2503,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4061,7 +4064,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4200,7 +4203,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4208,7 +4210,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4294,6 +4295,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4564,9 +4566,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4777,8 +4779,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'A payment of :amount was made by client :client towards Invoice :invoice.',
'notification_invoice_sent' => 'Klientui :client išsiųsta sąskaita :invoice sumai :amount.',
'notification_invoice_viewed' => 'Klientas :client žiūrėjo sąskaitą :invoice for :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'You can reset your account password by clicking the following button:',
'secure_payment' => 'Secure Payment',
'card_number' => 'Card number',
@ -2501,6 +2503,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4061,7 +4064,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4200,7 +4203,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4208,7 +4210,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4294,6 +4295,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4564,9 +4566,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4777,8 +4779,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'A payment of :amount was made by client :client towards Invoice :invoice.',
'notification_invoice_sent' => 'Klientam :client tika nosūtīts rēķins Nr::invoice par summu :amount.',
'notification_invoice_viewed' => 'The following client :client viewed Invoice :invoice for :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'You can reset your account password by clicking the following button:',
'secure_payment' => 'Secure Payment',
'card_number' => 'Card Number',
@ -2501,6 +2503,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4061,7 +4064,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4200,7 +4203,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4208,7 +4210,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4294,6 +4295,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4564,9 +4566,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4777,8 +4779,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -255,6 +255,8 @@ $LANG = array(
'notification_invoice_paid' => 'Плаќање од :amount е направено од клиентот :client кон фактурата :invoice.',
'notification_invoice_sent' => 'На клиентот :client е испратена фактура :invoice од :amount по е-пошта.',
'notification_invoice_viewed' => 'Клиентот :client ја прегледа фактурата :invoice за :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Можете да ја ресетирате лозинката за вашата сметка со кликнување на следното копче:',
'secure_payment' => 'Безбедно плаќање',
'card_number' => 'Број на картичка',
@ -2502,6 +2504,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Прифати Allpay',
'enable_sofort' => 'Прифати трансфери од Европски банки',
'stripe_alipay_help' => 'Овие платни портали исто така мораат да бидат активирани во :link.',
@ -4062,7 +4065,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4201,7 +4204,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4209,7 +4211,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4295,6 +4296,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4565,9 +4567,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4778,8 +4780,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'En betaling pålydende :amount ble gjort av :client for faktura :invoice.',
'notification_invoice_sent' => 'E-post har blitt sendt til :client - Faktura :invoice pålydende :amount.',
'notification_invoice_viewed' => ':client har nå sett faktura :invoice pålydende :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Du kan nullstille ditt passord ved å besøke følgende lenke:',
'secure_payment' => 'Sikker betaling',
'card_number' => 'Kortnummer',
@ -2501,6 +2503,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Tillat bankoverføringer fra EU',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4061,7 +4064,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4200,7 +4203,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4208,7 +4210,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4294,6 +4295,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4564,9 +4566,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4777,8 +4779,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -7,7 +7,7 @@ $LANG = array(
'work_phone' => 'Telefoon',
'address' => 'Adres',
'address1' => 'Straat',
'address2' => 'Appartement/Suite',
'address2' => 'Appartement / Busnr.',
'city' => 'Plaats',
'state' => 'Provincie',
'postal_code' => 'Postcode',
@ -173,7 +173,7 @@ $LANG = array(
'logo_help' => 'Ondersteund: JPEG, GIF en PNG',
'payment_gateway' => 'Betalingsprovider',
'gateway_id' => 'provider',
'email_notifications' => 'E-mailmeldingen',
'email_notifications' => 'E-mail meldingen',
'email_sent' => 'E-mail mij wanneer een factuur is <b>verzonden</b>',
'email_viewed' => 'E-mail mij wanneer een factuur is <b>bekeken</b>',
'email_paid' => 'E-mail mij wanneer een factuur is <b>betaald</b>',
@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Een betaling voor :amount is gemaakt door klant :client voor Factuur :invoice.',
'notification_invoice_sent' => 'Factuur :invoice ter waarde van :amount is per e-mail naar :client verstuurd.',
'notification_invoice_viewed' => ':client heeft factuur :invoice ter waarde van :amount bekeken.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'U kunt het wachtwoord van uw account resetten door op de volgende link te klikken:',
'secure_payment' => 'Beveiligde betaling',
'card_number' => 'Kaartnummer',
@ -794,7 +796,7 @@ $LANG = array(
'activity_51' => ':user heeft de gebruiker: :user verwijderd',
'activity_52' => ':user heeft de gebruiker: :user hersteld',
'activity_53' => ':user heeft factuur :invoice als verstuurd gemarkeerd',
'activity_54' => ':user paid invoice :invoice',
'activity_54' => ':user betaalde factuur :invoice',
'activity_55' => ':contact heeft op ticket :ticket gereageerd',
'activity_56' => ':user heeft ticket :ticket bekeken',
@ -995,7 +997,7 @@ $LANG = array(
'status_approved' => 'Goedgekeurd',
'quote_settings' => 'Offerte-instellingen',
'auto_convert_quote' => 'Automatisch omzetten',
'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved.',
'auto_convert_quote_help' => 'Converteer een offerte automatisch naar een factuur wanneer deze is goedgekeurd.',
'validate' => 'Valideren',
'info' => 'Informatie',
'imported_expenses' => 'Er zijn :count_vendors leverancier(s) en :count_expenses uitgave(n) aangemaakt.',
@ -1090,7 +1092,7 @@ $LANG = array(
'user_edit_all' => 'Bewerken van alle klanten, facturen, enz.',
'gateway_help_20' => ':link om aan te melden voor Sage Pay.',
'gateway_help_21' => ':link om aan te melden voor Sage Pay.',
'partial_due' => 'Te betalen voorschot',
'partial_due' => 'Voorschot',
'restore_vendor' => 'Herstel leverancier',
'restored_vendor' => 'De leverancier is hersteld',
'restored_expense' => 'De uitgave is hersteld',
@ -2493,6 +2495,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Automatisch incasso',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accepteer Alipay',
'enable_sofort' => 'Accepteer Europese banktransacties',
'stripe_alipay_help' => 'Deze gateways moeten ook worden geactiveerd in :link.',
@ -2814,11 +2817,11 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'invalid_url' => 'Ongeldige URL',
'workflow_settings' => 'Workflow instellingen',
'auto_email_invoice' => 'Automatisch e-mailen',
'auto_email_invoice_help' => 'Automatically email recurring invoices when created.',
'auto_email_invoice_help' => 'Converteer een offerte automatisch naar een factuur wanneer deze goedgekeurd is.',
'auto_archive_invoice' => 'Automatisch archiveren',
'auto_archive_invoice_help' => 'Automatically archive invoices when paid.',
'auto_archive_invoice_help' => 'Archiveer facturen automatisch indien betaald',
'auto_archive_quote' => 'Automatisch archiveren',
'auto_archive_quote_help' => 'Automatically archive quotes when converted to invoice.',
'auto_archive_quote_help' => 'Archiveer offertes automatisch indien omgezet naar factuur',
'require_approve_quote' => 'Verplicht goedkeuring offerte',
'require_approve_quote_help' => 'Verplicht klanten om offertes goed te keuren.',
'allow_approve_expired_quote' => 'Toestaan verlopen offerte goedkeuren',
@ -3406,7 +3409,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'credit_number_counter' => 'Kredietnummer teller',
'reset_counter_date' => 'Teller datum resetten',
'counter_padding' => 'Teller patroon',
'shared_invoice_quote_counter' => 'Share Invoice Quote Counter',
'shared_invoice_quote_counter' => 'Deel factuur/offerte teller',
'default_tax_name_1' => 'Standaard BTW naam 1',
'default_tax_rate_1' => 'Standaard BTW-tarief 1',
'default_tax_name_2' => 'Standaard BTW naam 2',
@ -3680,7 +3683,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'force_update_help' => 'De applicatie draait op de laatste versie, maar wellicht zijn er nog een aantal fixes beschikbaar.',
'mark_paid_help' => 'Volg de uitgave dat betaald is',
'mark_invoiceable_help' => 'Sta toe dat de uitgave gefactureerd kan worden',
'add_documents_to_invoice_help' => 'Make the documents visible to client',
'add_documents_to_invoice_help' => 'Maak de documenten zichtbaar voor de klant',
'convert_currency_help' => 'Stel een ruilwaarde in van de valuta',
'expense_settings' => 'Uitgave instellingen',
'clone_to_recurring' => 'Maak een kopie voor herhaling',
@ -4053,7 +4056,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'save_payment_method_details' => 'Bewaar betaalmethode',
'new_card' => 'Nieuwe betaalkaart',
'new_bank_account' => 'Nieuwe bankrekening',
'company_limit_reached' => 'Limiet van maximaal 10 bedrijven per account.',
'company_limit_reached' => 'Limiet van :limit companies per account.',
'credits_applied_validation' => 'Het totaal aan toegepaste credits kan niet MEER zijn dan het totaal van de facturen',
'credit_number_taken' => 'Kredietnummer is al in gebruik',
'credit_not_found' => 'Krediet niet gevonden',
@ -4069,14 +4072,14 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'invoice_not_related_to_payment' => 'Factuur ID :invoice is niet herleidbaar naar deze betaling',
'credit_not_related_to_payment' => 'Krediet ID :credit is niet verwant aan deze betaling',
'max_refundable_invoice' => 'Poging tot terugbetaling is groter dan toegestaan voor invoice id :invoice, maximum terug te betalen bedrag is :amount',
'refund_without_invoices' => 'Attempting to refund a payment with invoices attached, please specify valid invoice/s to be refunded.',
'refund_without_credits' => 'Attempting to refund a payment with credits attached, please specify valid credits/s to be refunded.',
'refund_without_invoices' => 'Als u probeert een betaling met bijgevoegde facturen terug te betalen, geef dan geldige facturen op die moeten worden terugbetaald.',
'refund_without_credits' => 'Als u probeert een betaling met bijgevoegde tegoeden terug te betalen, geef dan geldige tegoeden op die moeten worden terugbetaald.',
'max_refundable_credit' => 'Attempting to refund more than allowed for credit :credit, maximum refundable amount is :amount',
'project_client_do_not_match' => 'Project klant komt niet overeen met entiteit klant',
'quote_number_taken' => 'Offertenummer reeds in gebruik',
'recurring_invoice_number_taken' => 'Terugkerend factuurnummer :number al in gebruik',
'user_not_associated_with_account' => 'Gebruiker niet geassocieerd met deze account',
'amounts_do_not_balance' => 'Amounts do not balance correctly.',
'amounts_do_not_balance' => 'Bedragen zijn niet correct.',
'insufficient_applied_amount_remaining' => 'Insufficient applied amount remaining to cover payment.',
'insufficient_credit_balance' => 'Onvoldoende balans op krediet.',
'one_or_more_invoices_paid' => 'één of meer van deze facturen werden betaald',
@ -4191,8 +4194,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'client_id_number' => 'Klant-id nummer',
'count_minutes' => ':count minuten',
'password_timeout' => 'Wachtwoord timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'shared_invoice_credit_counter' => 'Deel factuur/creditnota teller',
'activity_80' => ':user heeft abonnement :subscription aangemaakt',
'activity_81' => ':user heeft abonnement :subscription bijgewerkt',
'activity_82' => ':user heeft abonnement :subscription gearchiveerd',
@ -4200,7 +4202,6 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'activity_84' => ':user heeft abonnement :subscription hersteld',
'amount_greater_than_balance_v5' => 'Het bedrag is hoger dan het factuursaldo. U kunt een factuur niet te veel betalen.',
'click_to_continue' => 'Klik hier om verder te gaan',
'notification_invoice_created_body' => 'Het volgende factuur :invoice was aangemaakt voor klant :client voor een bedrag :amount.',
'notification_invoice_created_subject' => 'Factuur :invoice aangemaakt voor :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4208,10 +4209,10 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'notification_credit_created_body' => 'De volgende kredietfactuur :invoice werd aangemaakt voor client :client ter waarde van :amount.',
'notification_credit_created_subject' => 'Kredietfactuur :invoice werd aangemaakt voor :client',
'max_companies' => 'Maximaal gemigreerde bedrijven',
'max_companies_desc' => 'You have reached your maximum number of companies. Delete existing companies to migrate new ones.',
'max_companies_desc' => 'U heeft uw maximale aantal bedrijven bereikt. Verwijder bestaande bedrijven om nieuwe te migreren.',
'migration_already_completed' => 'Bedrijf is reeds gemigreerd',
'migration_already_completed_desc' => 'Het ziet er naar uit dat je <b>:company_name</b> reeds hebt gemigreerd naar versie V5 van Invoice Ninja. Indien je opnieuw wilt beginnen, kan je de migratie forceren door bestaande data te laten verwijderen.',
'payment_method_cannot_be_authorized_first' => 'This payment method can be can saved for future use, once you complete your first transaction. Don\'t forget to check "Store details" during payment process.',
'payment_method_cannot_be_authorized_first' => 'Deze betaalmethode kan worden opgeslagen voor toekomstig gebruik, zodra u uw eerste transactie voltooit. Vergeet tijdens het betalingsproces niet "Winkelgegevens" aan te vinken.',
'new_account' => 'Nieuwe bankrekening',
'activity_100' => ':user heeft terugkerend factuur :recurring_invoice aangemaakt',
'activity_101' => ':user heeft terugkerend factuur :recurring_invoice aangepast',
@ -4286,6 +4287,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4313,7 +4315,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'payment_type_BECS' => 'BECS',
'payment_type_ACSS' => 'ACSS',
'gross_line_total' => 'Gross line total',
'lang_Slovak' => 'Slovak',
'lang_Slovak' => 'Slovakije',
'normal' => 'Normaal',
'large' => 'Groot',
'extra_large' => 'Extra groot',
@ -4324,7 +4326,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'instant_bank_pay' => 'Instant Bank Pay',
'click_selected' => 'Click Selected',
'hide_preview' => 'Verberg voorvertoning',
'edit_record' => 'Edit Record',
'edit_record' => 'Bewerk record',
'credit_is_more_than_invoice' => 'Het kredietbedrag kan niet meer zijn dan het te factureren bedrag.',
'please_set_a_password' => 'Voer een account wachtwoord in',
'recommend_desktop' => 'Wij raden de desktop app aan voor de beste werking.',
@ -4342,7 +4344,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'registration' => 'Registratie',
'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.',
'fpx' => 'FPX',
'update_all_records' => 'Update all records',
'update_all_records' => 'Alle records bijwerken',
'set_default_company' => 'Stel in als standaard bedrijf',
'updated_company' => 'Bedrijf succesvol geüpdatet',
'kbc' => 'KBC',
@ -4355,7 +4357,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'bulk_email_invoice' => 'Email factuur',
'bulk_email_quote' => 'Email offerte',
'bulk_email_credit' => 'Email Credit',
'removed_recurring_expense' => 'Successfully removed recurring expense',
'removed_recurring_expense' => 'Terugkerende onkosten zijn verwijderd',
'search_recurring_expense' => 'Search Recurring Expense',
'search_recurring_expenses' => 'Search Recurring Expenses',
'last_sent_date' => 'Last Sent Date',
@ -4367,7 +4369,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'customer_count' => 'Customer Count',
'verify_customers' => 'Verify Customers',
'google_analytics_tracking_id' => 'Google Analytics Tracking ID',
'decimal_comma' => 'Decimal Comma',
'decimal_comma' => 'Decimaal komma',
'use_comma_as_decimal_place' => 'Use comma as decimal place in forms',
'select_method' => 'Select Method',
'select_platform' => 'Select Platform',
@ -4380,14 +4382,14 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'next_page' => 'Volgende pagina',
'export_colors' => 'Exporteer kleuren',
'import_colors' => 'Importeer kleuren',
'clear_all' => 'Clear All',
'clear_all' => 'Wis alles',
'contrast' => 'Contrast',
'custom_colors' => 'Custom Colors',
'custom_colors' => 'Aangepaste kleuren',
'colors' => 'Kleuren',
'sidebar_active_background_color' => 'Actieve achtergrondkleur zijbalk',
'sidebar_active_font_color' => 'Actieve tekstkleur zijbalk',
'sidebar_inactive_background_color' => 'Inactieve achtergrondkleur zijbalk',
'sidebar_inactive_font_color' => 'Sidebar Inactive Font Color',
'sidebar_inactive_font_color' => 'Inactieve letterkleur zijbalk',
'table_alternate_row_background_color' => 'Table Alternate Row Background Color',
'invoice_header_background_color' => 'Invoice Header Background Color',
'invoice_header_font_color' => 'Invoice Header Font Color',
@ -4412,11 +4414,11 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'net_total' => 'Net Total',
'has_taxes' => 'Has Taxes',
'import_customers' => 'Importeer klanten',
'imported_customers' => 'Successfully started importing customers',
'login_success' => 'Successful Login',
'login_failure' => 'Failed Login',
'exported_data' => 'Once the file is ready you"ll receive an email with a download link',
'include_deleted_clients' => 'Include Deleted Clients',
'imported_customers' => 'Succesvol begonnen met het importeren van klanten',
'login_success' => 'Login succesvol',
'login_failure' => 'Inloggen mislukt',
'exported_data' => 'Zodra het bestand klaar is, ontvang je een e-mail met een downloadlink',
'include_deleted_clients' => 'Inclusief verwijderde klanten',
'include_deleted_clients_help' => 'Load records belonging to deleted clients',
'step_1_sign_in' => 'Step 1: Sign In',
'step_2_authorize' => 'Step 2: Authorize',
@ -4431,28 +4433,28 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'end_all_sessions' => 'End All Sessions',
'count_session' => '1 Session',
'count_sessions' => ':count Sessions',
'invoice_created' => 'Invoice Created',
'invoice_created' => 'Factuur aangemaakt',
'quote_created' => 'Quote Created',
'credit_created' => 'Credit Created',
'credit_created' => 'Creditnota aangemaakt',
'enterprise' => 'Enterprise',
'invoice_item' => 'Invoice Item',
'invoice_item' => 'Factuur item',
'quote_item' => 'Quote Item',
'order' => 'Order',
'order' => 'Bestelling',
'search_kanban' => 'Search Kanban',
'search_kanbans' => 'Search Kanban',
'move_top' => 'Move Top',
'move_up' => 'Move Up',
'move_down' => 'Move Down',
'move_bottom' => 'Move Bottom',
'move_bottom' => 'Verplaatsknop',
'body_variable_missing' => 'Error: the custom email must include a :body variable',
'add_body_variable_message' => 'Make sure to include a :body variable',
'view_date_formats' => 'View Date Formats',
'is_viewed' => 'Is Viewed',
'letter' => 'Letter',
'legal' => 'Legal',
'page_layout' => 'Page Layout',
'page_layout' => 'Verticaal',
'portrait' => 'Portrait',
'landscape' => 'Landscape',
'landscape' => 'Horizontaal',
'owner_upgrade_to_paid_plan' => 'The account owner can upgrade to a paid plan to enable the advanced advanced settings',
'upgrade_to_paid_plan' => 'Upgrade to a paid plan to enable the advanced settings',
'invoice_payment_terms' => 'Invoice Payment Terms',
@ -4464,9 +4466,9 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'rest_method' => 'REST Method',
'header_key' => 'Header Key',
'header_value' => 'Header Value',
'recurring_products' => 'Recurring Products',
'recurring_products' => 'Terugkerende producten',
'promo_discount' => 'Promo Discount',
'allow_cancellation' => 'Allow Cancellation',
'allow_cancellation' => 'Annuleren toestaan',
'per_seat_enabled' => 'Per Seat Enabled',
'max_seats_limit' => 'Max Seats Limit',
'trial_enabled' => 'Trial Enabled',
@ -4474,7 +4476,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'allow_query_overrides' => 'Allow Query Overrides',
'allow_plan_changes' => 'Allow Plan Changes',
'plan_map' => 'Plan Map',
'refund_period' => 'Refund Period',
'refund_period' => 'Terugbetalingsperiode',
'webhook_configuration' => 'Webhook Configuration',
'purchase_page' => 'Purchase Page',
'email_bounced' => 'Email Bounced',
@ -4490,14 +4492,14 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'html_mode_help' => 'Voorvertoning laadt sneller maar is minder accuraat',
'status_color_theme' => 'Status Color Theme',
'load_color_theme' => 'Load Color Theme',
'lang_Estonian' => 'Estonian',
'marked_credit_as_paid' => 'Successfully marked credit as paid',
'marked_credits_as_paid' => 'Successfully marked credits as paid',
'lang_Estonian' => 'Estland',
'marked_credit_as_paid' => 'Creditnota gemarkeerd als betaald',
'marked_credits_as_paid' => 'Creditnota\'s gemarkeerd als betaald',
'wait_for_loading' => 'Data is aan het laden - een moment geduld',
'wait_for_saving' => 'Data is aan het opslaan - een moment geduld',
'html_preview_warning' => 'Opmerking: veranderingen die hier worden gemaakt zijn voorvertoningen, ze moeten hierboven worden toegepast',
'remaining' => 'Remaining',
'invoice_paid' => 'Invoice Paid',
'remaining' => 'Resterend',
'invoice_paid' => 'Factuur betaald',
'activity_120' => ':user heeft terugkerende uitgave :recurring_expense aangemaakt',
'activity_121' => '::user heeft terugkerende uitgave :recurring_expense aangepast',
'activity_122' => ':user heeft terugkerende uitgave :recurring_expense gearchiveerd',
@ -4512,35 +4514,35 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'client_shipping_city' => 'Client Shipping City',
'client_shipping_postal_code' => 'Client Shipping Postal Code',
'client_shipping_country' => 'Client Shipping Country',
'load_pdf' => 'Load PDF',
'load_pdf' => 'Laad PDF',
'start_free_trial' => 'Start Free Trial',
'start_free_trial_message' => 'Start your FREE 14 day trial of the pro plan',
'due_on_receipt' => 'Due on Receipt',
'is_paid' => 'Is Paid',
'age_group_paid' => 'Paid',
'is_paid' => 'Is betaald',
'age_group_paid' => 'Betaald',
'id' => 'Id',
'convert_to' => 'Reken om naar',
'client_currency' => 'Klant valuta',
'company_currency' => 'Bedrijf valuta',
'custom_emails_disabled_help' => 'Om spam te voorkomen moet je een betaald account hebben om emails aan te passen',
'upgrade_to_add_company' => 'Upgrade uw abonnement om meer bedrijven toe te voegen',
'file_saved_in_downloads_folder' => 'The file has been saved in the downloads folder',
'small' => 'Small',
'file_saved_in_downloads_folder' => 'Het bestand is opgeslagen in de downloadmap',
'small' => 'Klein',
'quotes_backup_subject' => 'Your quotes are ready for download',
'credits_backup_subject' => 'Your credits are ready for download',
'document_download_subject' => 'Your documents are ready for download',
'credits_backup_subject' => 'Je creditnota\'s zijn klaar om te downloaden',
'document_download_subject' => 'Je documenten zijn klaar om te downloaden',
'reminder_message' => 'Reminder for invoice :number for :balance',
'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials',
'gmail_credentials_invalid_body' => 'Your GMail credentials are not correct, please log into the administrator portal and navigate to Settings > User Details and disconnect and reconnect your GMail account. We will send you this notification daily until this issue is resolved',
'notification_invoice_sent' => 'Factuur :invoice ter waarde van :amount is per e-mail naar :client verstuurd.',
'total_columns' => 'Total Fields',
'total_columns' => 'Totaal velden',
'view_task' => 'View Task',
'cancel_invoice' => 'Cancel',
'cancel_invoice' => 'Annuleer',
'changed_status' => 'Successfully changed task status',
'change_status' => 'Change Status',
'enable_touch_events' => 'Enable Touch Events',
'enable_touch_events_help' => 'Support drag events to scroll',
'after_saving' => 'After Saving',
'after_saving' => 'Na opslaan',
'view_record' => 'View Record',
'enable_email_markdown' => 'Enable Email Markdown',
'enable_email_markdown_help' => 'Use visual markdown editor for emails',
@ -4553,12 +4555,12 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'approved_quote' => 'Successfully apporved quote',
'approved_quotes' => 'Successfully :value approved quotes',
'client_website' => 'Client Website',
'invalid_time' => 'Invalid Time',
'invalid_time' => 'Ongeldige tijd',
'signed_in_as' => 'Ingelogd als',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4586,7 +4588,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'show_product_description_help' => 'Include the description in the product dropdown',
'invoice_items' => 'Invoice Items',
'quote_items' => 'Quote Items',
'profitloss' => 'Profit and Loss',
'profitloss' => 'Winst en verlies',
'import_format' => 'Import Format',
'export_format' => 'Export Format',
'export_type' => 'Export Type',
@ -4683,10 +4685,10 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'require_purchase_order_signature_help' => 'Require vendor to provide their signature.',
'new_purchase_order' => 'New Purchase Order',
'edit_purchase_order' => 'Edit Purchase Order',
'created_purchase_order' => 'Successfully created purchase order',
'updated_purchase_order' => 'Successfully updated purchase order',
'archived_purchase_order' => 'Successfully archived purchase order',
'deleted_purchase_order' => 'Successfully deleted purchase order',
'created_purchase_order' => 'Inkooporder succesvol aangemaakt',
'updated_purchase_order' => 'Aankooporder succesvol geupdate',
'archived_purchase_order' => 'Aankooporder succesvol gearchiveerd',
'deleted_purchase_order' => 'Aankooporder succesvol verwijderd',
'removed_purchase_order' => 'Successfully removed purchase order',
'restored_purchase_order' => 'Successfully restored purchase order',
'search_purchase_order' => 'Zoek verkoop order',
@ -4712,7 +4714,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'price_change_accepted' => 'Price change accepted',
'price_change_failed' => 'Price change failed with code',
'restore_purchases' => 'Restore Purchases',
'activate' => 'Activate',
'activate' => 'Activeer',
'connect_apple' => 'Connect Apple',
'disconnect_apple' => 'Disconnect Apple',
'disconnected_apple' => 'Successfully disconnected Apple',
@ -4722,14 +4724,14 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'converted_to_expenses' => 'Successfully converted to expenses',
'entity_removed' => 'This document has been removed, please contact the vendor for further information',
'entity_removed_title' => 'Document niet langer beschikbaar',
'field' => 'Field',
'field' => 'Veld',
'period' => 'Period',
'fields_per_row' => 'Fields Per Row',
'total_active_invoices' => 'Active Invoices',
'total_outstanding_invoices' => 'Outstanding Invoices',
'fields_per_row' => 'Velden per rij',
'total_active_invoices' => 'Actieve facturen',
'total_outstanding_invoices' => 'Openstaande facturen',
'total_completed_payments' => 'Completed Payments',
'total_refunded_payments' => 'Refunded Payments',
'total_active_quotes' => 'Active Quotes',
'total_active_quotes' => 'Actieve offertes',
'total_approved_quotes' => 'Approved Quotes',
'total_unapproved_quotes' => 'Unapproved Quotes',
'total_logged_tasks' => 'Vastgelegde taken',
@ -4769,8 +4771,134 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen
'invoice_task_project' => 'Factuur taak project',
'invoice_task_project_help' => 'Voeg project toe als factuurregel',
'bulk_action' => 'Groepsbewerking',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Wijzig Nummer',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Categorietype',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Druk PDF af',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Verschuldigd op',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Maak creditnota',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Ververs accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Schakel in voor het rapporteren van alle onkosten, schakel uit voor het rapporteren van alleen betaalde onkosten',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -252,6 +252,8 @@ Przykłady dynamicznych zmiennych:
'notification_invoice_paid' => 'Płatność na kwotę :amount została dokonana przez :client w ramach faktury :invoice.',
'notification_invoice_sent' => 'Do :client wysłano email z fakturą :invoice na kwotę :amount.',
'notification_invoice_viewed' => ':client wyświetlił fakturą :invoice na kwotę :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Możesz zresetować hasło do swojego konta klikając ten przycisk:',
'secure_payment' => 'Bezpieczna płatność',
'card_number' => 'Numer karty płatniczej',
@ -2498,6 +2500,7 @@ Gdy przelewy zostaną zaksięgowane na Twoim koncie, wróć do tej strony i klik
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4058,7 +4061,7 @@ Gdy przelewy zostaną zaksięgowane na Twoim koncie, wróć do tej strony i klik
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4197,7 +4200,6 @@ Gdy przelewy zostaną zaksięgowane na Twoim koncie, wróć do tej strony i klik
'count_minutes' => ':count Minut',
'password_timeout' => 'Czas wygasania hasła',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4205,7 +4207,6 @@ Gdy przelewy zostaną zaksięgowane na Twoim koncie, wróć do tej strony i klik
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'Wartość jest większa niż wartość faktury. Nie możesz zapłacić więcej niż jest na fakturze.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4291,6 +4292,7 @@ Gdy przelewy zostaną zaksięgowane na Twoim koncie, wróć do tej strony i klik
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4561,9 +4563,9 @@ Gdy przelewy zostaną zaksięgowane na Twoim koncie, wróć do tej strony i klik
'invalid_time' => 'Nieprawidłowy czas',
'signed_in_as' => 'Zalogowany jako',
'total_results' => 'Wyniki ogółem',
'restore_company_gateway' => 'Przywróć bramkę płatności',
'archive_company_gateway' => 'Zarchiwizuj bramkę płatności',
'delete_company_gateway' => 'Usuń bramkę płatności',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Kurs wymiany walut',
'tax_amount1' => 'Wysokość podatku 1',
'tax_amount2' => 'Wysokość podatku 2',
@ -4774,8 +4776,134 @@ Gdy przelewy zostaną zaksięgowane na Twoim koncie, wróć do tej strony i klik
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Um pagamento de :amount foi realizado pelo cliente :client para a fatura :invoice.',
'notification_invoice_sent' => 'Ao cliente :client foi enviada por email a fatura :invoice no valor de :amount.',
'notification_invoice_viewed' => 'O cliente :client visualizou a fatura :invoice no valor de :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Você pode redefinir a sua senha clicando no seguinte link:',
'secure_payment' => 'Pagamento Seguro',
'card_number' => 'Número do Cartão',
@ -2495,6 +2497,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'Débito direto SEPA',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Aceitar Alipay',
'enable_sofort' => 'Aceitar Transferências Bancárias da UE',
'stripe_alipay_help' => 'Estes gateways também precisam ser ativados em :link.',
@ -4055,7 +4058,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4194,7 +4197,6 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4202,7 +4204,6 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Clique para continuar',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4288,6 +4289,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4558,9 +4560,9 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4771,8 +4773,134 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique "
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -7,9 +7,9 @@ $LANG = array(
'work_phone' => 'Telefone',
'address' => 'Morada',
'address1' => 'Rua',
'address2' => 'Complemento',
'address2' => 'Número',
'city' => 'Cidade',
'state' => 'Distrito/Província',
'state' => 'Distrito/Região',
'postal_code' => 'Código Postal',
'country_id' => 'País',
'contacts' => 'Contactos',
@ -20,14 +20,14 @@ $LANG = array(
'additional_info' => 'Informações Adicionais',
'payment_terms' => 'Condições de Pagamento',
'currency_id' => 'Moeda',
'size_id' => 'Tamanho da empresa',
'size_id' => 'Tamanho da Empresa',
'industry_id' => 'Atividade',
'private_notes' => 'Notas Privadas',
'invoice' => 'Nota Pagamento',
'client' => 'Cliente',
'invoice_date' => 'Data da NP',
'invoice_date' => 'Data da Nota Pagamento',
'due_date' => 'Data de Vencimento',
'invoice_number' => 'Número NP',
'invoice_number' => 'Número da Nota Pagamento',
'invoice_number_short' => 'Nota Pagamento #',
'po_number' => 'Núm. Ordem de Serviço',
'po_number_short' => 'OS #',
@ -40,10 +40,10 @@ $LANG = array(
'unit_cost' => 'Preço',
'quantity' => 'Quantidade',
'line_total' => 'Total',
'subtotal' => 'Total Líquido',
'subtotal' => 'SubTotal',
'net_subtotal' => 'Líquido',
'paid_to_date' => 'Pago até à data',
'balance_due' => 'Valor',
'balance_due' => 'Por Liquidar',
'invoice_design_id' => 'Modelo',
'terms' => 'Condições',
'your_invoice' => 'A sua nota de pagamento',
@ -60,11 +60,11 @@ $LANG = array(
'download_pdf' => 'Transferir PDF',
'pay_now' => 'Pagar Agora',
'save_invoice' => 'Guardar Nota Pagamento',
'clone_invoice' => 'Duplicar Para Nota de Pagamento',
'archive_invoice' => 'Arquivar Nota de Pagamento.',
'delete_invoice' => 'Apagar Nota de Pagamento.',
'email_invoice' => 'Enviar Nota de Pagamento.',
'enter_payment' => 'Introduzir Pag.',
'clone_invoice' => 'Duplicar P/ Nota Pagamento',
'archive_invoice' => 'Arquivar Nota Pagamento',
'delete_invoice' => 'Apagar Nota Pagamento',
'email_invoice' => 'Enviar Nota Pagamento',
'enter_payment' => 'Introduzir Pagamento',
'tax_rates' => 'Taxas dos Impostos',
'rate' => 'Taxa',
'settings' => 'Definições',
@ -73,9 +73,9 @@ $LANG = array(
'dashboard' => 'Painel',
'dashboard_totals_in_all_currencies_help' => 'Nota: adicione um :link chamado ":name" para exibir os totais com base numa única moeda.',
'clients' => 'Clientes',
'invoices' => 'Notas Pag.',
'invoices' => 'Notas Pagamento',
'payments' => 'Pagamentos',
'credits' => 'Nota de Crédito',
'credits' => 'Notas de Crédito',
'history' => 'Histórico',
'search' => 'Pesquisa',
'sign_up' => 'Registar',
@ -95,7 +95,7 @@ $LANG = array(
'provide_email' => 'Por favor introduza um endereço de e-mail válido',
'powered_by' => 'Desenvolvido por',
'no_items' => 'Sem produtos',
'recurring_invoices' => 'Notas Pag. Recorrentes',
'recurring_invoices' => 'Notas Pagamento Recorrentes',
'recurring_help' => '<p>Enviar as mesmas notas de pagamento semanalmente, bimestralmente, mensalmente, trimestralmente ou anualmente para os clientes.</p>
<p>Utilize :MONTH, :QUARTER ou :YEAR para datas dinâmicas. Cálculos básicos são aplicáveis, como por exemplo :MONTH-1.</p>
<p>Exemplos de variáveis dinâmicas de faturas:</p>
@ -110,9 +110,9 @@ $LANG = array(
'billed_clients' => 'Clientes faturados',
'active_client' => 'Cliente ativo',
'active_clients' => 'Clientes ativos',
'invoices_past_due' => 'Notas de Pag. Vencidas',
'upcoming_invoices' => 'Próximas Nota de Pagamento',
'average_invoice' => 'Média por Nota de Pagamento',
'invoices_past_due' => 'Notas de Pagamento Vencidas',
'upcoming_invoices' => 'Próximas Nota Pagamento',
'average_invoice' => 'Média por Nota Pagamento',
'archive' => 'Arquivar',
'delete' => 'Apagar',
'archive_client' => 'Arquivar Cliente',
@ -124,7 +124,7 @@ $LANG = array(
'show_archived_deleted' => 'Mostrar arquivados/apagados',
'filter' => 'Filtrar',
'new_client' => 'Novo Cliente',
'new_invoice' => 'Nova Nota de Pagamento',
'new_invoice' => 'Nova Nota Pagamento',
'new_payment' => 'Introduzir Pagamento',
'new_credit' => 'Introduzir Nota de Crédito',
'contact' => 'Contacto',
@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Um pagamento de :amount foi realizado pelo cliente :client através da nota de pagamento :invoice.',
'notification_invoice_sent' => 'O cliente :client foi notificado por e-mail referente à nota de pagamento :invoice de :amount.',
'notification_invoice_viewed' => 'O cliente :client visualizou a nota de pagamento :invoice de :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Pode recuperar a sua senha no seguinte endereço:',
'secure_payment' => 'Pagamento Seguro',
'card_number' => 'Número do Cartão',
@ -2496,6 +2498,7 @@ Quando tiver os valores dos depósitos, volte a esta página e conclua a verific
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'Débito Direto SEPA',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Aceitar Alipay',
'enable_sofort' => 'Aceitar Transferências Bancárias da UE',
'stripe_alipay_help' => 'Estes terminais também precisam ser ativados em :link.',
@ -4057,7 +4060,7 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem
'save_payment_method_details' => 'Guardar detalhes do método de pagamento',
'new_card' => 'Novo cartão',
'new_bank_account' => 'Nova conta bancária',
'company_limit_reached' => 'Limitar a 10 empresas por conta.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'O total dos créditos aplicados não pode ser SUPERIOR ao total das notas de pagamento',
'credit_number_taken' => 'Número de nota de crédito já em uso',
'credit_not_found' => 'Nota de crédito não encontrada',
@ -4196,7 +4199,6 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem
'count_minutes' => ':count Minutos',
'password_timeout' => 'Timeout da palavra-passe',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user criou a subscrição :subscription',
'activity_81' => ':user atualizou a subscrição :subscription',
'activity_82' => ':user arquivou a subscrição :subscription',
@ -4204,7 +4206,6 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem
'activity_84' => ':user restaurou a subscrição :subscription',
'amount_greater_than_balance_v5' => 'A quantia é superior ao saldo na nota de pagamento. Tal não é possível.',
'click_to_continue' => 'Clique para continuar',
'notification_invoice_created_body' => 'A seguinte nota de pagamento :invoice foi criada para o cliente :client por :amount.',
'notification_invoice_created_subject' => 'Nota de pagamento :invoice foi criada para :client',
'notification_quote_created_body' => 'O seguinte orçamento :invoice foi criado para o cliente :cliente por :amount',
@ -4291,6 +4292,7 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.',
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4561,9 +4563,9 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.',
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Resultados Totais',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Valor do imposto 1',
'tax_amount2' => 'Valor do imposto 2',
@ -4774,8 +4776,134 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.',
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'O plată în valoare de :amount a fost făcută de :client pentru factura :invoice',
'notification_invoice_sent' => 'Clientului :client a i-a fost trimisă factura :invoice în valoare de :amount.',
'notification_invoice_viewed' => 'Clientul :client a vizualizat factura :invoice în valoare de :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Poți să iți resetezi parola contului accesând următorul buton:',
'secure_payment' => 'Plată Securizată',
'card_number' => 'Numar card',
@ -2504,6 +2506,7 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Acceptați Alipay',
'enable_sofort' => 'Acceptați transferuri bancare din UE',
'stripe_alipay_help' => 'Aceste căi de acces trebuie activate din :link.',
@ -4065,7 +4068,7 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl
'save_payment_method_details' => 'Salvați detaliile metodei de plată',
'new_card' => 'Card nou',
'new_bank_account' => 'Cont bancar nou',
'company_limit_reached' => 'Limită de 10 companii per cont.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Totalul de credite aplicat nu poate depăși totalul facturilor',
'credit_number_taken' => 'Număr de credit deja atribuit',
'credit_not_found' => 'Creditul nu a fost găsit',
@ -4204,7 +4207,6 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl
'count_minutes' => ':count minute',
'password_timeout' => 'Parola a expirat',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user a creat abonamentul :subscription',
'activity_81' => ':user a actualizat abonamentul :subscription',
'activity_82' => ':user a arhivat abonamentul :subscription',
@ -4212,7 +4214,6 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl
'activity_84' => ':user a restabilit abonamentul :subscription',
'amount_greater_than_balance_v5' => 'Suma este mai mare decât soldul facturii. Nu puteți plătii mai mult decât suma facturată.',
'click_to_continue' => 'Click pentru a continua',
'notification_invoice_created_body' => 'Factura :invoice în valoare de :amount a fost creată pentru clientul :client.',
'notification_invoice_created_subject' => 'Factura :invoice a fost creată pentru :client',
'notification_quote_created_body' => 'Oferta :invoice în valoare de :amount a fost creată pentru clientul :client.',
@ -4298,6 +4299,7 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl
'przelewy24_accept' => 'Declar că am luat la cunoștință reglementările și obligațiile serviciului Przelewy24.',
'giropay' => 'GiroPay',
'giropay_law' => 'Introducând informațiile dumneavoastră de client (cum ar fi numele, codul de sortare și numărul contului), dumneavoastră (clientului) sunteți de acord cu furnizarea acestor informații.',
'klarna' => 'Klarna',
'eps' => 'Câștig pe acțiune',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'Prin precizarea datelor contului Dvs. bancar, va dati acordul pentru <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Cererea de Direct Debit si la contractul de servicii pentru Cererea de Direct Debit </a>, si autorizati Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit ID number 507156 (“Stripe”) sa debiteze contul Dvs. prin Bulk Electronic Clearing System (BECS) in numele companiei (Comerciantul) pentru orice sume separat comunicate de catre Comerciant. Va dati acordul ca sunteti fie titularul contului sau aveti dreptul de semnatura pentru contul preciat mai sus.',
@ -4568,9 +4570,9 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl
'invalid_time' => 'Timp nevalid',
'signed_in_as' => 'Înregistrat ca',
'total_results' => 'Total rezultate',
'restore_company_gateway' => 'Restabiliți calea de acces pentru plăți',
'archive_company_gateway' => 'Arhivați calea de acces pentru plăți',
'delete_company_gateway' => 'Eliminați calea de acces pentru plăți',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Schimbați valuta',
'tax_amount1' => 'Suma taxă 1',
'tax_amount2' => 'Suma taxă 2',
@ -4781,8 +4783,134 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl
'invoice_task_project' => 'Proiect de sarcină de pe factură',
'invoice_task_project_help' => 'Adăugați proiectul în liniile cu articol de pe factură',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Оплата :amount была выполнена клиентом :client по счету :invoice.',
'notification_invoice_sent' => 'Клиенту :client было отправлено электронное письмо со счетом :invoice на сумму :amount.',
'notification_invoice_viewed' => 'Клиент :client просмотрел счет :invoice на сумму :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Вы можете сбросить пароль своей учетной записи, нажав следующую кнопку:',
'secure_payment' => 'Безопасная оплата',
'card_number' => 'Номер карты',
@ -2502,6 +2504,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Принимаем Alipay',
'enable_sofort' => 'Принимаем переводы банков Европы',
'stripe_alipay_help' => 'Эти шлюзы также необходимо активировать в :link.',
@ -4062,7 +4065,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4201,7 +4204,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4209,7 +4211,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4295,6 +4296,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4565,9 +4567,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4778,8 +4780,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Platba :amount bola odeslaná :client na faktúru :invoice.',
'notification_invoice_sent' => 'Zákazníkovi :client bola odoslaná faktúra :invoice na :amount.',
'notification_invoice_viewed' => 'Zákazníkovi :client se zobrazila faktúra :invoice na :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Svoje heslo môžete nastaviť kliknutím na nasledujúce tlačítko:',
'secure_payment' => 'Zabezpečená platba',
'card_number' => 'Číslo karty',
@ -2498,6 +2500,7 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'platba SEPA',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Príjmať Alipay',
'enable_sofort' => 'Príjmať bankové prevody v EÚ',
'stripe_alipay_help' => 'Tieto brány musia byť taktiež aktivované v :link.',
@ -4058,7 +4061,7 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme
'save_payment_method_details' => 'Uložiť detaily spôsobu platby',
'new_card' => 'Nová karta',
'new_bank_account' => 'Nový bankový účet',
'company_limit_reached' => 'Limit 10 spoločností na účet',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Celkový počet použitých kreditov nemôže byť VIAC ako celkový počet faktúr',
'credit_number_taken' => 'Číslo kreditu je už obsadené',
'credit_not_found' => 'Kredit sa nenašiel',
@ -4197,7 +4200,6 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme
'count_minutes' => ':count minúty',
'password_timeout' => 'Časový limit hesla',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user vytvoril predplatné :subscription',
'activity_81' => ':user aktualizoval predplatné :subscription',
'activity_82' => ':user archivoval predplatné :subscription',
@ -4205,7 +4207,6 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme
'activity_84' => ':user obnovil predplatné :subscription',
'amount_greater_than_balance_v5' => 'Suma je vyššia ako zostatok na faktúre. Faktúru nemôžete preplatiť.',
'click_to_continue' => 'Pokračujte kliknutím',
'notification_invoice_created_body' => 'Nasledujúca faktúra :invoice bola vytvorená pre klienta :client za :amount.',
'notification_invoice_created_subject' => 'Faktúra :invoice bola vytvorená pre :client',
'notification_quote_created_body' => 'Nasledujúca ponuka :invoice bola vytvorená pre klienta :client na :amount.',
@ -4291,6 +4292,7 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme
'przelewy24_accept' => 'Vyhlasujem, že som sa oboznámil s predpismi a informačnou povinnosťou služby Przelewy24.',
'giropay' => 'GiroPay',
'giropay_law' => 'Zadaním svojich zákazníckych informácií (ako je meno, triediaci kód a číslo účtu) súhlasíte (Zákazník), že tieto informácie poskytujete dobrovoľne.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'Inkaso BECS',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4561,9 +4563,9 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4774,8 +4776,134 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -3,11 +3,11 @@
$LANG = array(
'organization' => 'Organizacija',
'name' => 'Ime',
'website' => 'Internetne strani',
'website' => 'Spletna stran',
'work_phone' => 'Službeni telefon',
'address' => 'Naslov',
'address1' => 'Ulica',
'address2' => 'Poslovni prostor/Stanovanja',
'address2' => 'Poslovni prostor/Stanovanje',
'city' => 'Mesto',
'state' => 'Regija/pokrajina',
'postal_code' => 'Poštna št.',
@ -22,7 +22,7 @@ $LANG = array(
'currency_id' => 'Valuta',
'size_id' => 'Velikost podjetja',
'industry_id' => 'Industrija',
'private_notes' => 'Zasebni zaznamki',
'private_notes' => 'Osebni zaznamki',
'invoice' => 'Račun',
'client' => 'Stranka',
'invoice_date' => 'Datum računa',
@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Stranka :client je plačala račun :invoice v znesku :amount.',
'notification_invoice_sent' => 'Stranki :client je bil poslan e-račun :invoice v znesku :amount',
'notification_invoice_viewed' => 'Stranka :client si je ogledala račun :invoice v znesku :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Vaše geslo lahko ponastavite s pritiskom na sledeči gumb:',
'secure_payment' => 'Varno plačilo',
'card_number' => 'Št. kartice',
@ -304,7 +306,7 @@ Pošljite nam sporočilo na contact@invoiceninja.com',
'pro_plan_advanced_settings' => ':link za uporabo naprednih nastavitev s prijavo v Pro paket',
'invoice_design' => 'Izgled računa',
'specify_colors' => 'Določi barve',
'specify_colors_label' => 'Določi barve uporabljene v računu',
'specify_colors_label' => 'Izberi barve uporabljene v računu',
'chart_builder' => 'Ustvarjalec grafikonov',
'ninja_email_footer' => 'Ustvarjeno s/z :site | Ustvari. Pošlji. Prejmi plačilo.',
'go_pro' => 'Prestopi na Pro paket',
@ -535,7 +537,7 @@ Pošljite nam sporočilo na contact@invoiceninja.com',
'enable_chart' => 'Grafikon',
'totals' => 'Vsote',
'run' => 'Zagon',
'export' => 'Izvoz',
'export' => 'Izvozi',
'documentation' => 'Dokumentacija',
'zapier' => 'Zapier',
'recurring' => 'Ponavlj. računi',
@ -685,7 +687,7 @@ Pošljite nam sporočilo na contact@invoiceninja.com',
'iframe_url_help1' => 'Kopiraj kodo na vašo spletno stran.',
'iframe_url_help2' => 'Funkcijo lahko preizkusite s klikom na "Prikaži kot prejemnik" na računu.',
'auto_bill' => 'Samodejno plačilo',
'military_time' => '24 urni čas',
'military_time' => '24-urni prikaz',
'last_sent' => 'Zadnji poslan',
'reminder_emails' => 'Opomini prek e-pošte',
'quote_reminder_emails' => 'Opomnik preko e-pošte',
@ -779,10 +781,10 @@ Pošljite nam sporočilo na contact@invoiceninja.com',
'activity_27' => ':user je obnovil plačilo :payment',
'activity_28' => ':user je obnovil dobropis :credit',
'activity_29' => ':contact je potrdil predračun :quote za :client',
'activity_30' => ':user je ustvaril prodajalca :vendor',
'activity_31' => ':user je arhiviral prodajalca :vendor',
'activity_32' => ':user je odstranil prodajalca :vendor',
'activity_33' => ':user je obnovil prodajalca :vendor',
'activity_30' => ':user je ustvaril dobavitelja :vendor',
'activity_31' => ':user je arhiviral dobavitelja :vendor',
'activity_32' => ':user je odstranil dobavitelja :vendor',
'activity_33' => ':user je obnovil dobavitelja :vendor',
'activity_34' => ':user je vnesel strošek :expense',
'activity_35' => ':user je arhiviral strošek :expense',
'activity_36' => ':user je izbrisal strošek :expense',
@ -905,14 +907,14 @@ Pošljite nam sporočilo na contact@invoiceninja.com',
'expenses' => 'Stroški',
'new_expense' => 'Vnesi strošek',
'enter_expense' => 'Vnesi strošek',
'vendors' => 'Prodajalci',
'new_vendor' => 'Nov prodajalec',
'vendors' => 'Dobavitelji',
'new_vendor' => 'Nov dobavitelj',
'payment_terms_net' => 'Neto',
'vendor' => 'Prodajalec',
'edit_vendor' => 'Uredi prodajalca',
'archive_vendor' => 'Arhiviraj prodajalca',
'delete_vendor' => 'Odstrani prodajalca',
'view_vendor' => 'Ogled prodajalca',
'vendor' => 'Dobavitelj',
'edit_vendor' => 'Uredi dobavitelja',
'archive_vendor' => 'Arhiviraj dobavitelja',
'delete_vendor' => 'Odstrani dobavitelja',
'view_vendor' => 'Ogled dobavitelja',
'deleted_expense' => 'Strošek uspešno odstranjen',
'archived_expense' => 'Strošek uspešno arhiviran',
'deleted_expenses' => 'Stroški uspešno odstranjeni',
@ -1006,7 +1008,7 @@ Pošljite nam sporočilo na contact@invoiceninja.com',
'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved.',
'validate' => 'Potrdi',
'info' => 'Info',
'imported_expenses' => 'Uspešno vnešeni prodajalci: :count_vendors in stroški: :count_expenses',
'imported_expenses' => 'Uspešno vnešeni dobaviteljii: :count_vendors in stroški: :count_expenses',
'iframe_url_help3' => 'Opomba: če nameravate sprejemati spletna plačila predlagamo, da na vaši strani omogočite HTTPS.',
'expense_error_multiple_currencies' => 'Strošek ne sme imeti dveh valut.',
'expense_error_mismatch_currencies' => 'Valuta stranke ni enaka valuti stroška.',
@ -1038,7 +1040,7 @@ Pošljite nam sporočilo na contact@invoiceninja.com',
'old_browser' => 'Prosim uporabi :link',
'newer_browser' => 'novejši brskalnik',
'white_label_custom_css' => ':link za $:price da omogočite lastne sloge za pomoč in podporo našega projekta',
'bank_accounts_help' => 'Povežite bančni račun, če želite samodejno uvoziti stroške in ustvariti ponudnike. Podpira American Express in :link.',
'bank_accounts_help' => 'Povežite bančni račun, če želite samodejno uvoziti stroške in ustvariti dobavitelje. Podpira American Express in :link.',
'us_banks' => '400+ bank v ZDA',
'pro_plan_remove_logo' => ':link za odstranitev logotipa Invoice Ninja z vstopom v Pro Plan',
@ -1099,8 +1101,8 @@ Pošljite nam sporočilo na contact@invoiceninja.com',
'gateway_help_20' => ':link za prijavo na Sage Pay.',
'gateway_help_21' => ':link za prijavo na Sage Pay.',
'partial_due' => 'Delno plačilo do',
'restore_vendor' => 'Obnovi prodajalca',
'restored_vendor' => 'Prodajalec uspešno obnovljen',
'restore_vendor' => 'Obnovi dobavitelja',
'restored_vendor' => 'Dobavitelj uspešno obnovljen',
'restored_expense' => 'Strošek uspešno obnovljen',
'permissions' => 'Pravice',
'create_all_help' => 'Dovoli uporabniku da ustvarja in ureja zapise',
@ -1206,7 +1208,7 @@ Velikost strani',
'live_preview_disabled' => 'Zaradi izrane pisave je takojšen predogled onemogočen',
'invoice_number_padding' => 'Mašilo',
'preview' => 'Predogled',
'list_vendors' => 'Seznam prodajalcev',
'list_vendors' => 'Seznam dobaviteljev',
'add_users_not_supported' => 'Za dodtne uporabnike v vašem računu nadgradi na Podjetniški paket',
'enterprise_plan_features' => 'Podjetniški paket omogoča več uporabnikov in priponk. :link za ogled celotnega seznama funkcij.',
'return_to_app' => 'Nazaj na vrh',
@ -1294,9 +1296,9 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'stripe_webhook_help' => 'Morate :link.',
'stripe_webhook_help_link_text' => 'dodajte ta URL kot končno točko v Stripe',
'gocardless_webhook_help_link_text' => 'dodaj ta URL kot končno točko v GoCardlessadd',
'payment_method_error' => 'Pri dodajanju plačilnega sredsgtva je prišlo do napake. Prosim poskusite kasneje.',
'payment_method_error' => 'Pri dodajanju plačilnega sredstva je prišlo do napake. Prosim poskusite kasneje.',
'notification_invoice_payment_failed_subject' => 'Payment :invoice ni bilo uspešno',
'notification_invoice_payment_failed' => 'Plačilo stranke: :client računa :invoice ni uspelo. Plačilo je bil označeno kot neuspešno in znesek je bil dodan k strankini bilanci.',
'notification_invoice_payment_failed' => 'Plačilo stranke: :client računa :invoice ni uspelo. Plačilo je bilo označeno kot neuspešno in znesek je bil dodan k strankini bilanci.',
'link_with_plaid' => 'Poveži račun nemudoma z Plaid',
'link_manually' => 'Poveži ročno',
'secured_by_plaid' => 'Zavarovan z Plaid',
@ -1815,7 +1817,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'view_client_portal' => 'Poglej portal za stranke',
'view_portal' => 'Poglej portal',
'vendor_contacts' => 'Kontakt prodajalca',
'vendor_contacts' => 'Kontakt dobavitelja',
'all' => 'Vse',
'selected' => 'Izbrano',
'category' => 'Kategorija',
@ -1985,7 +1987,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'authorization' => 'Overovitev',
'signed' => 'Podpisan',
'vendor_name' => 'Prodajalec',
'vendor_name' => 'Dobavitelj',
'entity_state' => 'Stanje',
'client_created_at' => 'Datum vnosa',
'postmark_error' => 'Pri pošiljanju e-pošte prek Postmark: :link je prišlo do težave.',
@ -2096,7 +2098,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'age_group_60' => '60 - 90 Dni',
'age_group_90' => '90 - 120 Dni',
'age_group_120' => '120+ dni',
'invoice_details' => 'Detalji računa',
'invoice_details' => 'Podrobnosti računa',
'qty' => 'Količina',
'profit_and_loss' => 'Profit in izguba',
'revenue' => 'Prihodki',
@ -2153,7 +2155,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'created_payment_and_credit' => 'Plačilo in dobropis uspešno ustvarjena',
'created_payment_and_credit_emailed_client' => 'Uspešno ustvarjeno plačilo in dobropis in poslano stranki',
'create_project' => 'Ustvari projekt',
'create_vendor' => 'Ustvari prodajalca',
'create_vendor' => 'Ustvari dobavitelja',
'create_expense_category' => 'Ustvari kategorijo',
'pro_plan_reports' => ':link za omogočiti poročila s prijavo na naš Pro paket',
'mark_ready' => 'Označi kot pripravljeno',
@ -2456,7 +2458,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'tax1' => 'Prvi davek',
'tax2' => 'Drugi davek',
'fee_help' => 'Stroški prehoda so tisti, ki vam jih zaračuna finančna ustanova, ki obdeluje online plačila.',
'format_export' => 'Format izvoza',
'format_export' => 'Izvozni format',
'custom1' => 'Prvi po meri',
'custom2' => 'Drugi po meri',
'contact_first_name' => 'Ime kontakta',
@ -2501,6 +2503,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA direktna bremenitev',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Omogoči Alipay',
'enable_sofort' => 'Omogoči EU bančne prenose',
'stripe_alipay_help' => 'Prehode je potrebno še aktivirati v :link.',
@ -2623,7 +2626,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'subscription_event_2' => 'Račun ustvarjen',
'subscription_event_3' => 'Predračun ustvarjen',
'subscription_event_4' => 'Plačilo ustvarjeno',
'subscription_event_5' => 'Prodajalec ustvarjen',
'subscription_event_5' => 'Dobavitelj ustvarjen',
'subscription_event_6' => 'Predračun posodobljen',
'subscription_event_7' => 'Predračun izbrisan',
'subscription_event_8' => 'Račun posodobljen',
@ -2631,8 +2634,8 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'subscription_event_10' => 'Stranka posodobljena',
'subscription_event_11' => 'Stranka izbrisana',
'subscription_event_12' => 'Plačilo izbrisano',
'subscription_event_13' => 'Prodajalec posodobljen',
'subscription_event_14' => 'Prodajalec izbrisan',
'subscription_event_13' => 'Dobavitelj posodobljen',
'subscription_event_14' => 'Dobavitelj izbrisan',
'subscription_event_15' => 'Strošek ustvarjen',
'subscription_event_16' => 'Strošek posodobljen',
'subscription_event_17' => 'Strošek izbrisan',
@ -2652,7 +2655,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'module_credit' => 'Dobropisi',
'module_quote' => 'Predračuni in ponudbe',
'module_task' => 'Opravila in projekti',
'module_expense' => 'Stroški in prodajalci',
'module_expense' => 'Stroški in dobavitelji',
'module_ticket' => 'Podporni zahtevki',
'reminders' => 'Opomniki',
'send_client_reminders' => 'Pošlji opomnike prek e-pošte',
@ -3013,7 +3016,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'from_name_placeholder' => 'Support Center',
'attachments' => 'Attachments',
'client_upload' => 'Client uploads',
'enable_client_upload_help' => 'Allow clients to upload documents/attachments',
'enable_client_upload_help' => 'Dovoli strankam, da pripenjajo dokumente',
'max_file_size_help' => 'Maximum file size (KB) is limited by your post_max_size and upload_max_filesize variables as set in your PHP.INI',
'max_file_size' => 'Maximum file size',
'mime_types' => 'Mime types',
@ -3091,7 +3094,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'include_in_filter' => 'Include in filter',
'custom_client1' => ':VALUE',
'custom_client2' => ':VALUE',
'compare' => 'Compare',
'compare' => 'Primerjaj',
'hosted_login' => 'Hosted Login',
'selfhost_login' => 'Selfhost Login',
'google_login' => 'Google Login',
@ -3109,8 +3112,8 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'clone_to_invoice' => 'Kopiraj v račun',
'clone_to_quote' => 'Kopiraj v predračun',
'convert' => 'Convert',
'last7_days' => 'Last 7 Days',
'last30_days' => 'Last 30 Days',
'last7_days' => 'Zadnjih 7 dni',
'last30_days' => 'Zadnjih 30 dni',
'custom_js' => 'Custom JS',
'adjust_fee_percent_help' => 'Adjust percent to account for fee',
'show_product_notes' => 'Prikaži podrobnosti izdelka',
@ -3138,7 +3141,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'usually_pays_in_days' => 'Days',
'requires_an_enterprise_plan' => 'Requires an enterprise plan',
'take_picture' => 'Take Picture',
'upload_file' => 'Upload File',
'upload_file' => 'Naloži Datoteko',
'new_document' => 'New Document',
'edit_document' => 'Edit Document',
'uploaded_document' => 'Successfully uploaded document',
@ -3177,8 +3180,8 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'after_invoice_date' => 'After the invoice date',
'filtered_by_user' => 'Filtered by User',
'created_user' => 'Successfully created user',
'primary_font' => 'Primary Font',
'secondary_font' => 'Secondary Font',
'primary_font' => 'Osnovna pisava',
'secondary_font' => 'Sekundarna pisava',
'number_padding' => 'Number Padding',
'general' => 'General',
'surcharge_field' => 'Surcharge Field',
@ -3190,9 +3193,9 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'number_pattern' => 'Number Pattern',
'custom_javascript' => 'Custom JavaScript',
'portal_mode' => 'Portal Mode',
'attach_pdf' => 'Attach PDF',
'attach_documents' => 'Attach Documents',
'attach_ubl' => 'Attach UBL',
'attach_pdf' => 'Pripni PDF',
'attach_documents' => 'Pripni dokumente',
'attach_ubl' => 'Pripni UBL',
'email_style' => 'Email Style',
'processed' => 'Processed',
'fee_amount' => 'Fee Amount',
@ -3218,10 +3221,10 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'default_value' => 'Default value',
'currency_format' => 'Currency Format',
'first_day_of_the_week' => 'First Day of the Week',
'first_month_of_the_year' => 'First Month of the Year',
'symbol' => 'Symbol',
'ocde' => 'Code',
'date_format' => 'Date Format',
'first_month_of_the_year' => 'Prvi mesec v letu',
'symbol' => 'Simbol',
'ocde' => 'Oznaka',
'date_format' => 'Oblika Datuma',
'datetime_format' => 'Datetime Format',
'send_reminders' => 'Pošlji opomnike',
'timezone' => 'Timezone',
@ -3229,7 +3232,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'filtered_by_invoice' => 'Filtered by Invoice',
'filtered_by_client' => 'Filtered by Client',
'filtered_by_vendor' => 'Filtered by Vendor',
'group_settings' => 'Group Settings',
'group_settings' => 'Nastavitev skupine',
'groups' => 'Groups',
'new_group' => 'New Group',
'edit_group' => 'Edit Group',
@ -3238,12 +3241,12 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'archived_group' => 'Successfully archived group',
'deleted_group' => 'Successfully deleted group',
'restored_group' => 'Successfully restored group',
'upload_logo' => 'Upload Logo',
'upload_logo' => 'Naloži logotip',
'uploaded_logo' => 'Successfully uploaded logo',
'saved_settings' => 'Successfully saved settings',
'device_settings' => 'Device Settings',
'device_settings' => 'Nastavitev naprave',
'credit_cards_and_banks' => 'Credit Cards & Banks',
'price' => 'Price',
'price' => 'Cena',
'email_sign_up' => 'Email Sign Up',
'google_sign_up' => 'Google Sign Up',
'sign_up_with_google' => 'Sign Up With Google',
@ -3305,7 +3308,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'group2' => 'Custom Group 2',
'group3' => 'Custom Group 3',
'group4' => 'Custom Group 4',
'number' => 'Number',
'number' => 'Številka',
'count' => 'Count',
'is_active' => 'Is Active',
'contact_last_login' => 'Contact Last Login',
@ -3325,7 +3328,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'applied' => 'Applied',
'include_recent_errors' => 'Include recent errors from the logs',
'your_message_has_been_received' => 'We have received your message and will try to respond promptly.',
'show_product_details' => 'Show Product Details',
'show_product_details' => 'Prikaži podrobnosti izdelka',
'show_product_details_help' => 'Include the description and cost in the product dropdown',
'pdf_min_requirements' => 'The PDF renderer requires :version',
'adjust_fee_percent' => 'Adjust Fee Percent',
@ -3344,8 +3347,8 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'select_company' => 'Select Company',
'float' => 'Float',
'collapse' => 'Collapse',
'show_or_hide' => 'Show/hide',
'menu_sidebar' => 'Menu Sidebar',
'show_or_hide' => 'Skrij/prikaži',
'menu_sidebar' => 'Stranski meni',
'history_sidebar' => 'History Sidebar',
'tablet' => 'Tablet',
'layout' => 'Layout',
@ -3353,13 +3356,13 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'first_custom' => 'First Custom',
'second_custom' => 'Second Custom',
'third_custom' => 'Third Custom',
'show_cost' => 'Show Cost',
'show_cost_help' => 'Display a product cost field to track the markup/profit',
'show_product_quantity' => 'Show Product Quantity',
'show_cost' => 'Prikaži ceno',
'show_cost_help' => 'Prikaži ceno izdelka za spremljanje dodane vrednosti',
'show_product_quantity' => 'Prikaži količino izdelka',
'show_product_quantity_help' => 'Display a product quantity field, otherwise default to one',
'show_invoice_quantity' => 'Show Invoice Quantity',
'show_invoice_quantity_help' => 'Display a line item quantity field, otherwise default to one',
'default_quantity' => 'Default Quantity',
'default_quantity' => 'Privzeta Količina',
'default_quantity_help' => 'Automatically set the line item quantity to one',
'one_tax_rate' => 'One Tax Rate',
'two_tax_rates' => 'Two Tax Rates',
@ -3374,14 +3377,14 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'tax_settings_rates' => 'Tax Rates',
'accent_color' => 'Accent Color',
'comma_sparated_list' => 'Comma separated list',
'single_line_text' => 'Single-line text',
'single_line_text' => 'Enovrstični tekst',
'multi_line_text' => 'Multi-line text',
'dropdown' => 'Dropdown',
'field_type' => 'Field Type',
'field_type' => 'Vrsta polja',
'recover_password_email_sent' => 'A password recovery email has been sent',
'removed_user' => 'Successfully removed user',
'freq_three_years' => 'Three Years',
'military_time_help' => '24 Hour Display',
'military_time_help' => 'Uporabi 24-urni prikaz',
'click_here_capital' => 'Click here',
'marked_invoice_as_paid' => 'Successfully marked invoice as sent',
'marked_invoices_as_sent' => 'Successfully marked invoices as sent',
@ -3462,12 +3465,12 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'license' => 'License',
'invoice_balance' => 'Invoice Balance',
'saved_design' => 'Successfully saved design',
'client_details' => 'Client Details',
'company_address' => 'Company Address',
'client_details' => 'Podatki o stranki',
'company_address' => 'Naslov podjetja',
'quote_details' => 'Quote Details',
'credit_details' => 'Credit Details',
'product_columns' => 'Product Columns',
'task_columns' => 'Task Columns',
'product_columns' => 'Stolpci vnosa izdelka',
'task_columns' => 'Stolpci vnosa opravila',
'add_field' => 'Add Field',
'all_events' => 'All Events',
'owned' => 'Owned',
@ -3544,23 +3547,23 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'hosted' => 'Hosted',
'selfhosted' => 'Self-Hosted',
'hide_menu' => 'Hide Menu',
'show_menu' => 'Show Menu',
'show_menu' => 'Prikaži meni',
'partially_refunded' => 'Partially Refunded',
'search_documents' => 'Search Documents',
'search_designs' => 'Search Designs',
'search_invoices' => 'Search Invoices',
'search_clients' => 'Search Clients',
'search_products' => 'Search Products',
'search_quotes' => 'Search Quotes',
'search_credits' => 'Search Credits',
'search_invoices' => 'Poišči račun',
'search_clients' => 'Poišči stranko',
'search_products' => 'Poišči Izdelek',
'search_quotes' => 'Poišči ponudbo',
'search_credits' => 'Poišči dobropis',
'search_vendors' => 'Search Vendors',
'search_users' => 'Search Users',
'search_users' => 'Poišči uporabnika',
'search_tax_rates' => 'Search Tax Rates',
'search_tasks' => 'Search Tasks',
'search_tasks' => 'Poišči opravilo',
'search_settings' => 'Search Settings',
'search_projects' => 'Search Projects',
'search_expenses' => 'Search Expenses',
'search_payments' => 'Search Payments',
'search_projects' => 'Poišči projekt',
'search_expenses' => 'Poišči strošek',
'search_payments' => 'Poišči plačilo',
'search_groups' => 'Search Groups',
'search_company' => 'Search Company',
'cancelled_invoice' => 'Successfully cancelled invoice',
@ -3605,7 +3608,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'height' => 'Height',
'width' => 'Width',
'health_check' => 'Health Check',
'last_login_at' => 'Last Login At',
'last_login_at' => 'Čas zadnje prijave',
'company_key' => 'Company Key',
'storefront' => 'Storefront',
'storefront_help' => 'Enable third-party apps to create invoices',
@ -3636,8 +3639,8 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'approve_quote' => 'Approve Quote',
'when_paid' => 'When Paid',
'expires_on' => 'Expires On',
'show_sidebar' => 'Show Sidebar',
'hide_sidebar' => 'Hide Sidebar',
'show_sidebar' => 'Prikaži stranski meni',
'hide_sidebar' => 'Skrij stranski meni',
'event_type' => 'Event Type',
'copy' => 'Copy',
'must_be_online' => 'Please restart the app once connected to the internet',
@ -3662,7 +3665,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'restored_token' => 'Successfully restored token',
'client_registration' => 'Client Registration',
'client_registration_help' => 'Enable clients to self register in the portal',
'customize_and_preview' => 'Customize & Preview',
'customize_and_preview' => 'Prilagodi & Poglej',
'search_document' => 'Search 1 Document',
'search_design' => 'Search 1 Design',
'search_invoice' => 'Search 1 Invoice',
@ -3695,14 +3698,14 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'crypto' => 'Crypto',
'user_field' => 'User Field',
'variables' => 'Variables',
'show_password' => 'Show Password',
'show_password' => 'Prikaži geslo',
'hide_password' => 'Hide Password',
'copy_error' => 'Copy Error',
'capture_card' => 'Capture Card',
'auto_bill_enabled' => 'Auto Bill Enabled',
'total_taxes' => 'Total Taxes',
'line_taxes' => 'Line Taxes',
'total_fields' => 'Total Fields',
'total_fields' => 'Polja vnosa za skupni obračun cene',
'stopped_recurring_invoice' => 'Successfully stopped recurring invoice',
'started_recurring_invoice' => 'Successfully started recurring invoice',
'resumed_recurring_invoice' => 'Successfully resumed recurring invoice',
@ -3782,7 +3785,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'remind_invoice' => 'Remind Invoice',
'client_phone' => 'Client Phone',
'required_fields' => 'Required Fields',
'enabled_modules' => 'Enabled Modules',
'enabled_modules' => 'Omogočeni moduli',
'activity_60' => ':contact viewed quote :quote',
'activity_61' => ':user updated client :client',
'activity_62' => ':user updated vendor :vendor',
@ -3793,7 +3796,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'expense_category_id' => 'Expense Category ID',
'view_licenses' => 'View Licenses',
'fullscreen_editor' => 'Fullscreen Editor',
'sidebar_editor' => 'Sidebar Editor',
'sidebar_editor' => 'Urejevalnik stranskega menija',
'please_type_to_confirm' => 'Please type ":value" to confirm',
'purge' => 'Purge',
'clone_to' => 'Kopiraj v ...',
@ -3861,18 +3864,18 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'is_amount_discount' => 'Is Amount Discount',
'map_to' => 'Map To',
'first_row_as_column_names' => 'Use first row as column names',
'no_file_selected' => 'No File Selected',
'no_file_selected' => 'Ni izbrane datoteke',
'import_type' => 'Import Type',
'draft_mode' => 'Draft Mode',
'draft_mode_help' => 'Preview updates faster but is less accurate',
'show_product_discount' => 'Show Product Discount',
'show_product_discount' => 'Prikaži popust izdelka',
'show_product_discount_help' => 'Display a line item discount field',
'tax_name3' => 'Tax Name 3',
'debug_mode_is_enabled' => 'Debug mode is enabled',
'debug_mode_is_enabled_help' => 'Warning: it is intended for use on local machines, it can leak credentials. Click to learn more.',
'running_tasks' => 'Running Tasks',
'recent_tasks' => 'Recent Tasks',
'recent_expenses' => 'Recent Expenses',
'running_tasks' => 'Opravila v teku',
'recent_tasks' => 'Nedavna opravila',
'recent_expenses' => 'Nedavni stroški',
'upcoming_expenses' => 'Upcoming Expenses',
'search_payment_term' => 'Search 1 Payment Term',
'search_payment_terms' => 'Search :count Payment Terms',
@ -3890,14 +3893,14 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'before_taxes' => 'Before Taxes',
'after_taxes' => 'After Taxes',
'color' => 'Color',
'show' => 'Show',
'empty_columns' => 'Empty Columns',
'show' => 'Prikaži',
'empty_columns' => 'Prazni stolpci',
'project_name' => 'Project Name',
'counter_pattern_error' => 'To use :client_counter please add either :client_number or :client_id_number to prevent conflicts',
'this_quarter' => 'This Quarter',
'this_quarter' => 'To četrtletje',
'to_update_run' => 'To update run',
'registration_url' => 'Registration URL',
'show_product_cost' => 'Show Product Cost',
'show_product_cost' => 'Prikaži ceno izdelka',
'complete' => 'Complete',
'next' => 'Next',
'next_step' => 'Next step',
@ -4030,7 +4033,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'credit_payment' => 'Credit applied to Invoice :invoice_number',
'credit_subject' => 'New credit :number from :account',
'credit_message' => 'To view your credit for :amount, click the link below.',
'payment_type_Crypto' => 'Cryptocurrency',
'payment_type_Crypto' => 'Kriptovaluta',
'payment_type_Credit' => 'Credit',
'store_for_future_use' => 'Store for future use',
'pay_with_credit' => 'Pay with credit',
@ -4061,7 +4064,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4145,7 +4148,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'count_day' => '1 Day',
'count_days' => ':count Days',
'web_session_timeout' => 'Web Session Timeout',
'security_settings' => 'Security Settings',
'security_settings' => 'Nastavitev varnosti',
'resend_email' => 'Ponovno pošlji e-pošto',
'confirm_your_email_address' => 'Please confirm your email address',
'freshbooks' => 'FreshBooks',
@ -4165,7 +4168,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'an_error_occurred_try_again' => 'An error occurred, please try again',
'please_first_set_a_password' => 'Please first set a password',
'changing_phone_disables_two_factor' => 'Warning: Changing your phone number will disable 2FA',
'help_translate' => 'Help Translate',
'help_translate' => 'Pomagaj prevesti program',
'please_select_a_country' => 'Please select a country',
'disabled_two_factor' => 'Successfully disabled 2FA',
'connected_google' => 'Successfully connected account',
@ -4197,10 +4200,9 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'disconnected_gmail' => 'Successfully disconnected Gmail',
'update_fail_help' => 'Changes to the codebase may be blocking the update, you can run this command to discard the changes:',
'client_id_number' => 'Client ID Number',
'count_minutes' => ':count Minutes',
'count_minutes' => ':count Minut',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4208,7 +4210,6 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4294,6 +4295,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4327,7 +4329,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'extra_large' => 'Extra Large',
'show_pdf_preview' => 'Show PDF Preview',
'show_pdf_preview_help' => 'Display PDF preview while editing invoices',
'print_pdf' => 'Print PDF',
'print_pdf' => 'Natisni PDF',
'remind_me' => 'Remind Me',
'instant_bank_pay' => 'Instant Bank Pay',
'click_selected' => 'Click Selected',
@ -4375,7 +4377,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'customer_count' => 'Customer Count',
'verify_customers' => 'Verify Customers',
'google_analytics_tracking_id' => 'Google Analytics Tracking ID',
'decimal_comma' => 'Decimal Comma',
'decimal_comma' => 'Decimalna vejica',
'use_comma_as_decimal_place' => 'Use comma as decimal place in forms',
'select_method' => 'Select Method',
'select_platform' => 'Select Platform',
@ -4386,19 +4388,19 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'add_second_contact' => 'Add Second Contact',
'previous_page' => 'Previous Page',
'next_page' => 'Next Page',
'export_colors' => 'Export Colors',
'import_colors' => 'Import Colors',
'export_colors' => 'Izvozi barve',
'import_colors' => 'Uvozi barve',
'clear_all' => 'Clear All',
'contrast' => 'Contrast',
'custom_colors' => 'Custom Colors',
'colors' => 'Colors',
'sidebar_active_background_color' => 'Sidebar Active Background Color',
'sidebar_active_font_color' => 'Sidebar Active Font Color',
'sidebar_inactive_background_color' => 'Sidebar Inactive Background Color',
'sidebar_inactive_font_color' => 'Sidebar Inactive Font Color',
'custom_colors' => 'Prilagojene barve',
'colors' => 'Barve',
'sidebar_active_background_color' => 'Barva stranskega menija, ko je aktiven',
'sidebar_active_font_color' => 'Barva teksta stranskega menija, ko je aktiven',
'sidebar_inactive_background_color' => 'Barva stranskega menija, ko ni aktiven',
'sidebar_inactive_font_color' => 'Barva teksta stranskega menija, ko ni aktiven',
'table_alternate_row_background_color' => 'Table Alternate Row Background Color',
'invoice_header_background_color' => 'Invoice Header Background Color',
'invoice_header_font_color' => 'Invoice Header Font Color',
'invoice_header_background_color' => 'Barva glave računa',
'invoice_header_font_color' => 'Barva teksta glave računa',
'review_app' => 'Review App',
'check_status' => 'Check Status',
'free_trial' => 'Free Trial',
@ -4433,7 +4435,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'show_task_end_date' => 'Show Task End Date',
'show_task_end_date_help' => 'Enable specifying the task end date',
'gateway_setup' => 'Gateway Setup',
'preview_sidebar' => 'Preview Sidebar',
'preview_sidebar' => 'Predogled stranskega menija',
'years_data_shown' => 'Years Data Shown',
'ended_all_sessions' => 'Successfully ended all sessions',
'end_all_sessions' => 'End All Sessions',
@ -4463,8 +4465,8 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'landscape' => 'Landscape',
'owner_upgrade_to_paid_plan' => 'The account owner can upgrade to a paid plan to enable the advanced advanced settings',
'upgrade_to_paid_plan' => 'Upgrade to a paid plan to enable the advanced settings',
'invoice_payment_terms' => 'Invoice Payment Terms',
'quote_valid_until' => 'Quote Valid Until',
'invoice_payment_terms' => 'Plačilni pogoji',
'quote_valid_until' => 'Veljavnost ponudbe',
'no_headers' => 'No Headers',
'add_header' => 'Add Header',
'remove_header' => 'Remove Header',
@ -4497,7 +4499,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'html_mode' => 'HTML Mode',
'html_mode_help' => 'Preview updates faster but is less accurate',
'status_color_theme' => 'Status Color Theme',
'load_color_theme' => 'Load Color Theme',
'load_color_theme' => 'Naloži barvno shemo',
'lang_Estonian' => 'Estonian',
'marked_credit_as_paid' => 'Successfully marked credit as paid',
'marked_credits_as_paid' => 'Successfully marked credits as paid',
@ -4528,8 +4530,8 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'age_group_paid' => 'Paid',
'id' => 'Id',
'convert_to' => 'Convert To',
'client_currency' => 'Client Currency',
'company_currency' => 'Company Currency',
'client_currency' => 'Valuta stranke',
'company_currency' => 'Vaša valuta',
'custom_emails_disabled_help' => 'To prevent spam we require upgrading to a paid account to customize the email',
'upgrade_to_add_company' => 'Upgrade your plan to add companies',
'file_saved_in_downloads_folder' => 'The file has been saved in the downloads folder',
@ -4541,7 +4543,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials',
'gmail_credentials_invalid_body' => 'Your GMail credentials are not correct, please log into the administrator portal and navigate to Settings > User Details and disconnect and reconnect your GMail account. We will send you this notification daily until this issue is resolved',
'notification_invoice_sent' => 'Stranki :client je bil poslan e-račun :invoice v znesku :amount',
'total_columns' => 'Total Fields',
'total_columns' => 'Polja vnosa za skupni obračun cene',
'view_task' => 'View Task',
'cancel_invoice' => 'Cancel',
'changed_status' => 'Successfully changed task status',
@ -4564,9 +4566,9 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4587,17 +4589,17 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'left' => 'Left',
'right' => 'Right',
'center' => 'Center',
'page_numbering' => 'Page Numbering',
'page_numbering_alignment' => 'Page Numbering Alignment',
'page_numbering' => 'Številčenje',
'page_numbering_alignment' => 'Pozicija številčenja',
'invoice_sent_notification_label' => 'Invoice Sent',
'show_product_description' => 'Show Product Description',
'show_product_description' => 'Prikaži opis izdelka',
'show_product_description_help' => 'Include the description in the product dropdown',
'invoice_items' => 'Invoice Items',
'quote_items' => 'Quote Items',
'profitloss' => 'Profit and Loss',
'import_format' => 'Import Format',
'export_format' => 'Export Format',
'export_type' => 'Export Type',
'import_format' => 'Uvozni format',
'export_format' => 'Izvozni format',
'export_type' => 'Vrsta izvoza',
'stop_on_unpaid' => 'Stop On Unpaid',
'stop_on_unpaid_help' => 'Stop creating recurring invoices if the last invoice is unpaid.',
'use_quote_terms' => 'Use Quote Terms',
@ -4653,7 +4655,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'last_sent_template' => 'Last Sent Template',
'enable_flexible_search' => 'Enable Flexible Search',
'enable_flexible_search_help' => 'Match non-contiguous characters, ie. "ct" matches "cat"',
'vendor_details' => 'Vendor Details',
'vendor_details' => 'Podatki dobavitelja',
'purchase_order_details' => 'Purchase Order Details',
'qr_iban' => 'QR IBAN',
'besr_id' => 'BESR ID',
@ -4704,21 +4706,21 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'enable_applying_payments_help' => 'Support separately creating and applying payments',
'stock_quantity' => 'Stock Quantity',
'notification_threshold' => 'Notification Threshold',
'track_inventory' => 'Track Inventory',
'track_inventory_help' => 'Display a product stock field and update when invoices are sent',
'stock_notifications' => 'Stock Notifications',
'stock_notifications_help' => 'Send an email when the stock reaches the threshold',
'track_inventory' => 'Spremljaj zalogo',
'track_inventory_help' => 'Prikaži zalogo izdelka in jo obnavljaj glede na poslane račune',
'stock_notifications' => 'Obveščanje o zalogi',
'stock_notifications_help' => 'Pošlji sporočilo, ko zaloga doseže minimalno količino',
'vat' => 'VAT',
'view_map' => 'View Map',
'set_default_design' => 'Set Default Design',
'add_gateway_help_message' => 'Add a payment gateway (ie. Stripe, WePay or PayPal) to accept online payments',
'add_gateway_help_message' => 'Dodaj plačilni prehod (ie. Stripe, WePay or PayPal) za sprejemanje plačil prek spleta',
'purchase_order_issued_to' => 'Purchase Order issued to',
'archive_task_status' => 'Archive Task Status',
'delete_task_status' => 'Delete Task Status',
'restore_task_status' => 'Restore Task Status',
'lang_Hebrew' => 'Hebrew',
'price_change_accepted' => 'Price change accepted',
'price_change_failed' => 'Price change failed with code',
'price_change_accepted' => 'Sprememba cene je bila potrjena',
'price_change_failed' => 'Sprememba cene je bila zavrnjena',
'restore_purchases' => 'Restore Purchases',
'activate' => 'Activate',
'connect_apple' => 'Connect Apple',
@ -4734,8 +4736,8 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'period' => 'Period',
'fields_per_row' => 'Fields Per Row',
'total_active_invoices' => 'Active Invoices',
'total_outstanding_invoices' => 'Outstanding Invoices',
'total_completed_payments' => 'Completed Payments',
'total_outstanding_invoices' => 'Odprti računi',
'total_completed_payments' => 'Zaključeni računi',
'total_refunded_payments' => 'Refunded Payments',
'total_active_quotes' => 'Active Quotes',
'total_approved_quotes' => 'Approved Quotes',
@ -4777,8 +4779,134 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Natisni PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Prenosi',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Pagesa prej :amount është realizuar nga :client për faturën :invoice.',
'notification_invoice_sent' => 'Klienti :client ka dërguar me email faturën :invoice për shumën :amount',
'notification_invoice_viewed' => 'Klienti :client ka shikuar faturën :invoice për shumën :amount',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Ju mund ta resetoni fjalëkalimin e llogarisë tuaj duke klikuar butonin më poshtë:',
'secure_payment' => 'Pagesë e sigurtë',
'card_number' => 'Numri i kartës',
@ -2499,6 +2501,7 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4059,7 +4062,7 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4198,7 +4201,6 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4206,7 +4208,6 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4292,6 +4293,7 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4562,9 +4564,9 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4775,8 +4777,134 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'Uplata u iznosu :amount je izvršena od strane :client prema računu :invoice.',
'notification_invoice_sent' => 'Sledećem klijentu :client je poslat e-poštom račun :invoice na iznos :amount.',
'notification_invoice_viewed' => 'Sledeći klijent :client je pregledao račun :invoice na iznos :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Lozinku za pristup svom računu možete resetovati klikom na sledeće dugme:',
'secure_payment' => 'Sigurna uplata',
'card_number' => 'Broj kartice',
@ -2501,6 +2503,7 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Prihvati Alipay',
'enable_sofort' => 'Prihvati transfere EU banaka',
'stripe_alipay_help' => 'Ovi kanali takođe moraju biti aktivirani :link.',
@ -4061,7 +4064,7 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k
'save_payment_method_details' => 'Sačuvajte detalje o načinu plaćanja',
'new_card' => 'Nova kartica',
'new_bank_account' => 'Novi bankovni račun',
'company_limit_reached' => 'Ograničenje od 10 preduzeća po nalogu.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Ukupni primenjeni krediti ne mogu biti VIŠE od ukupnog broja računa',
'credit_number_taken' => 'Broj kredita je zauzet',
'credit_not_found' => 'Kredit nije pronađen',
@ -4200,7 +4203,6 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k
'count_minutes' => ':count minuti',
'password_timeout' => 'Vreme isteka lozinke',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user je kreirao pretplatu :subscription',
'activity_81' => ':user je ažurirao pretplatu :subscription',
'activity_82' => ':user je arhivirao pretplatu :subscription',
@ -4208,7 +4210,6 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k
'activity_84' => ':user je vratio pretplatu :subscription',
'amount_greater_than_balance_v5' => 'Iznos je veći od stanja na računu. Ne možete preplatiti račun.',
'click_to_continue' => 'Kliknite da biste nastavili',
'notification_invoice_created_body' => 'Sledeći račun :invoice je kreiran za klijenta :client za :amount.',
'notification_invoice_created_subject' => 'Račun :invoice je kreiran za :client',
'notification_quote_created_body' => 'Sledeća ponuda :invoice je kreirana za klijenta :client za :amount',
@ -4294,6 +4295,7 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k
'przelewy24_accept' => 'Izjavljujem da sam upoznat sa propisima i obavezom informisanja servisa Przelevi24. ',
'giropay' => 'GiroPay ',
'giropay_law' => 'Unošenjem vaših podataka o kupcu (kao što su ime, šifra sortiranja i broj računa) vi (kupac) se slažete da se ove informacije daju dobrovoljno. ',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS direktno zaduživanje',
'becs_mandate' => 'Davanjem detalja o svom bankovnom računu, saglasni ste sa ovim<a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal"> Zahtevom za direktno zaduživanje i ugovorom o usluzi Zahteva za direktno zaduživanje</a>, i ovlašćujete Stripe Paiments Australia Pti Ltd ACN 160 180 343 ID broj korisnika za direktno zaduživanje 507156 („Stripe“) da zaduži vaš račun putem Bulk Electronic Clearing System (BECS) u ime :company (the “Merchant”) za bilo koje iznose koje vam the Merchant posebno saopšti. Potvrđujete da ste ili vlasnik naloga ili ovlašćeni potpisnik na gore navedenom nalogu.',
@ -4564,9 +4566,9 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4777,8 +4779,134 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'En betalning på :amount är gjord av kunden :client för faktura :invoice.',
'notification_invoice_sent' => 'Följande kund :client har e-postats fakturan :invoice på :amount.',
'notification_invoice_viewed' => 'Följande kund :client har sett fakturan :invoice på :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Du kan återställa ditt lösenord genom att klicka på länken nedan:',
'secure_payment' => 'Säker betalning',
'card_number' => 'Kortnummer',
@ -2508,6 +2510,7 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Acceptera Allpay',
'enable_sofort' => 'Acceptera EU-banköverföringar',
'stripe_alipay_help' => 'Dessa gateways behöver också aktiveras i :link.',
@ -4068,7 +4071,7 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k
'save_payment_method_details' => 'Spara information om betalningsmetod',
'new_card' => 'Nytt kort',
'new_bank_account' => 'Nytt bankkonto',
'company_limit_reached' => 'Begränsning på 10 företag per konto.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Den totala krediten kan inte ÖVERSTIGA den totala summan på fakturorna.',
'credit_number_taken' => 'Kreditnummer har redan tagits',
'credit_not_found' => 'Krediten kunde inte hittas',
@ -4207,7 +4210,6 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k
'count_minutes' => ':count minuter',
'password_timeout' => 'Timeout för lösenord',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user skapade prenumerationen :subscription',
'activity_81' => ':user uppdaterade prenumerationen :subscription',
'activity_82' => ':user arkiverade prenumerationen :subscription',
@ -4215,7 +4217,6 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k
'activity_84' => ':user återställde prenumerationen :subscription',
'amount_greater_than_balance_v5' => 'Beloppet är större än fakturans saldo. Du kan inte överbetala en faktura.',
'click_to_continue' => 'Klicka för att fortsätta',
'notification_invoice_created_body' => 'Följande faktura :invoice skapades för kunden :client på belopp :amount.',
'notification_invoice_created_subject' => 'Faktura :invoice skapades för :client',
'notification_quote_created_body' => 'Följande offert :invoice skapades för kunden :client på belopp :amount.',
@ -4301,6 +4302,7 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4571,9 +4573,9 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4784,8 +4786,134 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => 'การชำระเงินของ :amount เงินที่ทำโดยลูกค้า: ลูกค้าที่มีต่อใบแจ้งหนี้ :invoice.',
'notification_invoice_sent' => 'ลูกค้าต่อไปนี้ :client ได้ส่งอีเมลใบแจ้งหนี้ :invoice สำหรับ :amount.',
'notification_invoice_viewed' => 'ลูกค้าต่อไปนี้ :client ได้ดูใบแจ้งหนี้ :invoice สำหรับ :amount.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'คุณสามารถรีเซ็ตรหัสผ่านบัญชีโดยคลิกที่ปุ่มต่อไปนี้:',
'secure_payment' => 'การชำระเงินที่ปลอดภัย',
'card_number' => 'หมายเลขบัตร',
@ -2502,6 +2504,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4062,7 +4065,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4201,7 +4204,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4209,7 +4211,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4295,6 +4296,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4565,9 +4567,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4778,8 +4780,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => ':client tarafından :invoice faturaya :amount tutarlık bir ödeme yapılmıştır.',
'notification_invoice_sent' => ':client adlı müşteriye :amount tutarındaki :invoice nolu fatura e-posta ile gönderildi.',
'notification_invoice_viewed' => ':client adlı müşteri :amount tutarındaki :invoice nolu faturayı görüntüledi.',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => 'Aşağıdaki butona tıklayarak hesap şifrenizi sıfırlayabilirsiniz:',
'secure_payment' => 'Güvenli Ödeme',
'card_number' => 'Kart Numarasır',
@ -2500,6 +2502,7 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => 'Accept Alipay',
'enable_sofort' => 'Accept EU bank transfers',
'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
@ -4060,7 +4063,7 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4199,7 +4202,6 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4207,7 +4209,6 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4293,6 +4294,7 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4563,9 +4565,9 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4776,8 +4778,134 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -254,6 +254,8 @@ $LANG = array(
'notification_invoice_paid' => '用戶 :client 對發票 :invoice 支付 :amount 的金額。',
'notification_invoice_sent' => '以下用戶 :client 透過電子郵件傳送 :amount 的發票 :invoice。',
'notification_invoice_viewed' => '以下用戶 :client 檢視 :amount 的發票 :invoice。',
'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client',
'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client',
'reset_password' => '您可重新點選以下按鈕來重新設定您的帳戶密碼:',
'secure_payment' => '安全付款',
'card_number' => '卡號',
@ -2498,6 +2500,7 @@ $LANG = array(
'alipay' => 'Alipay',
'sofort' => 'Sofort',
'sepa' => 'SEPA Direct Debit',
'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces',
'enable_alipay' => '接受 Alipay',
'enable_sofort' => '接受歐盟銀行轉帳',
'stripe_alipay_help' => '這些閘道也需要以 :link 開通。',
@ -4058,7 +4061,7 @@ $LANG = array(
'save_payment_method_details' => 'Save payment method details',
'new_card' => 'New card',
'new_bank_account' => 'New bank account',
'company_limit_reached' => 'Limit of 10 companies per account.',
'company_limit_reached' => 'Limit of :limit companies per account.',
'credits_applied_validation' => 'Total credits applied cannot be MORE than total of invoices',
'credit_number_taken' => 'Credit number already taken',
'credit_not_found' => 'Credit not found',
@ -4197,7 +4200,6 @@ $LANG = array(
'count_minutes' => ':count Minutes',
'password_timeout' => 'Password Timeout',
'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter',
'activity_80' => ':user created subscription :subscription',
'activity_81' => ':user updated subscription :subscription',
'activity_82' => ':user archived subscription :subscription',
@ -4205,7 +4207,6 @@ $LANG = array(
'activity_84' => ':user restored subscription :subscription',
'amount_greater_than_balance_v5' => 'The amount is greater than the invoice balance. You cannot overpay an invoice.',
'click_to_continue' => 'Click to continue',
'notification_invoice_created_body' => 'The following invoice :invoice was created for client :client for :amount.',
'notification_invoice_created_subject' => 'Invoice :invoice was created for :client',
'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
@ -4291,6 +4292,7 @@ $LANG = array(
'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.',
'giropay' => 'GiroPay',
'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.',
'klarna' => 'Klarna',
'eps' => 'EPS',
'becs' => 'BECS Direct Debit',
'becs_mandate' => 'By providing your bank account details, you agree to this <a class="underline" href="https://stripe.com/au-becs-dd-service-agreement/legal">Direct Debit Request and the Direct Debit Request service agreement</a>, and authorise Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) to debit your account through the Bulk Electronic Clearing System (BECS) on behalf of :company (the “Merchant”) for any amounts separately communicated to you by the Merchant. You certify that you are either an account holder or an authorised signatory on the account listed above.',
@ -4561,9 +4563,9 @@ $LANG = array(
'invalid_time' => 'Invalid Time',
'signed_in_as' => 'Signed in as',
'total_results' => 'Total results',
'restore_company_gateway' => 'Restore payment gateway',
'archive_company_gateway' => 'Archive payment gateway',
'delete_company_gateway' => 'Delete payment gateway',
'restore_company_gateway' => 'Restore gateway',
'archive_company_gateway' => 'Archive gateway',
'delete_company_gateway' => 'Delete gateway',
'exchange_currency' => 'Exchange currency',
'tax_amount1' => 'Tax Amount 1',
'tax_amount2' => 'Tax Amount 2',
@ -4774,8 +4776,134 @@ $LANG = array(
'invoice_task_project' => 'Invoice Task Project',
'invoice_task_project_help' => 'Add the project to the invoice line items',
'bulk_action' => 'Bulk Action',
'phone_validation_error' => 'This phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format',
'transaction' => 'Transaction',
'disable_2fa' => 'Disable 2FA',
'change_number' => 'Change Number',
'resend_code' => 'Resend Code',
'base_type' => 'Base Type',
'category_type' => 'Category Type',
'bank_transaction' => 'Transaction',
'bulk_print' => 'Print PDF',
'vendor_postal_code' => 'Vendor Postal Code',
'preview_location' => 'Preview Location',
'bottom' => 'Bottom',
'side' => 'Side',
'pdf_preview' => 'PDF Preview',
'long_press_to_select' => 'Long Press to Select',
'purchase_order_item' => 'Purchase Order Item',
'would_you_rate_the_app' => 'Would you like to rate the app?',
'include_deleted' => 'Include Deleted',
'include_deleted_help' => 'Include deleted records in reports',
'due_on' => 'Due On',
'browser_pdf_viewer' => 'Use Browser PDF Viewer',
'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF',
'converted_transactions' => 'Successfully converted transactions',
'default_category' => 'Default Category',
'connect_accounts' => 'Connect Accounts',
'manage_rules' => 'Manage Rules',
'search_category' => 'Search 1 Category',
'search_categories' => 'Search :count Categories',
'min_amount' => 'Min Amount',
'max_amount' => 'Max Amount',
'converted_transaction' => 'Successfully converted transaction',
'convert_to_payment' => 'Convert to Payment',
'deposit' => 'Deposit',
'withdrawal' => 'Withdrawal',
'deposits' => 'Deposits',
'withdrawals' => 'Withdrawals',
'matched' => 'Matched',
'unmatched' => 'Unmatched',
'create_credit' => 'Create Credit',
'transactions' => 'Transactions',
'new_transaction' => 'New Transaction',
'edit_transaction' => 'Edit Transaction',
'created_transaction' => 'Successfully created transaction',
'updated_transaction' => 'Successfully updated transaction',
'archived_transaction' => 'Successfully archived transaction',
'deleted_transaction' => 'Successfully deleted transaction',
'removed_transaction' => 'Successfully removed transaction',
'restored_transaction' => 'Successfully restored transaction',
'search_transaction' => 'Search Transaction',
'search_transactions' => 'Search :count Transactions',
'deleted_bank_account' => 'Successfully deleted bank account',
'removed_bank_account' => 'Successfully removed bank account',
'restored_bank_account' => 'Successfully restored bank account',
'search_bank_account' => 'Search Bank Account',
'search_bank_accounts' => 'Search :count Bank Accounts',
'code_was_sent_to' => 'A code has been sent via SMS to :number',
'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup',
'enable_applying_payments_later' => 'Enable Applying Payments Later',
'line_item_tax_rates' => 'Line Item Tax Rates',
'show_tasks_in_client_portal' => 'Show Tasks in Client Portal',
'notification_quote_expired_subject' => 'Quote :invoice has expired for :client',
'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.',
'auto_sync' => 'Auto Sync',
'refresh_accounts' => 'Refresh Accounts',
'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account',
'click_here_to_connect_bank_account' => 'Click here to connect your bank account',
'include_tax' => 'Include tax',
'email_template_change' => 'E-mail template body can be changed on',
'task_update_authorization_error' => 'Insufficient permissions, or task may be locked',
'cash_vs_accrual' => 'Accrual accounting',
'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.',
'expense_paid_report' => 'Expensed reporting',
'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses',
'payment_type_Klarna' => 'Klarna',
'online_payment_email_help' => 'Send an email when an online payment is made',
'manual_payment_email_help' => 'Send an email when manually entering a payment',
'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid',
'linked_transaction' => 'Successfully linked transaction',
'link_payment' => 'Link Payment',
'link_expense' => 'Link Expense',
'lock_invoiced_tasks' => 'Lock Invoiced Tasks',
'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced',
'registration_required_help' => 'Require clients to register',
'use_inventory_management' => 'Use Inventory Management',
'use_inventory_management_help' => 'Require products to be in stock',
'optional_products' => 'Optional Products',
'optional_recurring_products' => 'Optional Recurring Products',
'convert_matched' => 'Convert',
'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed',
'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed',
'operator' => 'Operator',
'value' => 'Value',
'is' => 'Is',
'contains' => 'Contains',
'starts_with' => 'Starts with',
'is_empty' => 'Is empty',
'add_rule' => 'Add Rule',
'match_all_rules' => 'Match All Rules',
'match_all_rules_help' => 'All criteria needs to match for the rule to be applied',
'auto_convert_help' => 'Automatically convert matched transactions to expenses',
'rules' => 'Rules',
'transaction_rule' => 'Transaction Rule',
'transaction_rules' => 'Transaction Rules',
'new_transaction_rule' => 'New Transaction Rule',
'edit_transaction_rule' => 'Edit Transaction Rule',
'created_transaction_rule' => 'Successfully created rule',
'updated_transaction_rule' => 'Successfully updated transaction rule',
'archived_transaction_rule' => 'Successfully archived transaction rule',
'deleted_transaction_rule' => 'Successfully deleted transaction rule',
'removed_transaction_rule' => 'Successfully removed transaction rule',
'restored_transaction_rule' => 'Successfully restored transaction rule',
'search_transaction_rule' => 'Search Transaction Rule',
'search_transaction_rules' => 'Search Transaction Rules',
'payment_type_Interac E-Transfer' => 'Interac E-Transfer',
'delete_bank_account' => 'Delete Bank Account',
'archive_transaction' => 'Archive Transaction',
'delete_transaction' => 'Delete Transaction',
'otp_code_message' => 'Enter the code emailed.',
'otp_code_subject' => 'Your one time passcode code',
'otp_code_body' => 'Your one time passcode is :code',
'delete_tax_rate' => 'Delete Tax Rate',
'restore_tax_rate' => 'Restore Tax Rate',
'company_backup_file' => 'Select company backup file',
'company_backup_file_help' => 'Please upload the .zip file used to create this backup.',
'backup_restore' => 'Backup | Restore',
'export_company' => 'Create company backup',
'backup' => 'Backup',
);
return $LANG;

View File

@ -207,7 +207,7 @@
<div id="summary" class="px-4 text-white">
<h1 class="font-semibold text-2xl border-b-2 border-gray-200 border-opacity-50 pb-2 text-white">{{ ctrans('texts.order') }}</h1>
@foreach($bundle as $item)
@foreach($bundle->toArray() as $item)
<div class="flex justify-between mt-1 mb-1">
<span class="font-light text-sm uppercase">{{$item['product']}} x {{$item['qty']}}</span>
<span class="font-semibold text-sm">{{ $item['price'] }}</span>
@ -257,7 +257,14 @@
{{ session('message') }}
@endcomponent
@endif
@if(count($methods) > 0)
@if($subscription->trial_enabled)
<form wire:submit.prevent="handleTrial" class="mt-8">
@csrf
<button class="relative -ml-px inline-flex items-center space-x-2 rounded border border-gray-300 bg-gray-50 px-4 py-2 text-sm font-medium text-gray-700 hover:bg-gray-100 focus:border-indigo-500 focus:outline-none focus:ring-1 focus:ring-indigo-500">
{{ ctrans('texts.trial_call_to_action') }}
</button>
</form>
@elseif(count($methods) > 0)
<div class="mt-4" x-show.important="!toggle" x-transition>
@foreach($methods as $method)
<button
@ -268,6 +275,13 @@
</button>
@endforeach
</div>
@elseif(intval($float_amount_total) == 0)
<form wire:submit.prevent="handlePaymentNotRequired" class="mt-8">
@csrf
<button class="relative -ml-px inline-flex items-center space-x-2 rounded border border-gray-300 bg-gray-50 px-4 py-2 text-sm font-medium text-gray-700 hover:bg-gray-100 focus:border-indigo-500 focus:outline-none focus:ring-1 focus:ring-indigo-500">
{{ ctrans('texts.click_to_continue') }}
</button>
</form>
@endif
<div class="mt-4 container mx-auto flex w-full justify-center" x-show.important="toggle" x-transition>
@ -312,10 +326,12 @@
@endif
@if($email && !$errors->has('email') && !$authenticated)
<div class="py-6 px-6 w-80 mx-auto text-center my-6">
<p class="w-full p-2">{{$email}}</p>
<div class="w-full mx-auto text-center my-2">
<p class="w-full p-2">{{ ctrans('texts.otp_code_message', ['email' => $email])}}</p>
</div>
<div class="pb-6 px-6 w-80 mx-auto text-center">
<form wire:submit.prevent="handleLogin" class="" x-data="otpForm()">
<p class="mb-4">{{ ctrans('texts.otp_code_message')}}</p>
<p class="mb-4"></p>
<div class="flex justify-between">
<template x-for="(input, index) in length" :key="index">
<input

View File

@ -52,3 +52,23 @@
<script src="{{ asset('js/clients/payment_methods/authorize-authorize-card.js') }}"></script>
@endsection
@push('footer')
<script defer>
$(function() {
document.getElementsByClassName("expiry")[0].addEventListener('change', function() {
str = document.getElementsByClassName("expiry")[0].value.replace(/\s/g, '');
const expiryArray = str.split("/");
document.getElementsByName('expiry-month')[0].value = expiryArray[0];
document.getElementsByName('expiry-year')[0].value = expiryArray[1];
});
});
</script>
@endpush

View File

@ -72,3 +72,23 @@
<script src="{{ asset('js/clients/payments/authorize-credit-card-payment.js') }}"></script>
@endsection
@push('footer')
<script defer>
$(function() {
document.getElementsByClassName("expiry")[0].addEventListener('change', function() {
str = document.getElementsByClassName("expiry")[0].value.replace(/\s/g, '');
const expiryArray = str.split("/");
document.getElementsByName('expiry-month')[0].value = expiryArray[0];
document.getElementsByName('expiry-year')[0].value = expiryArray[1];
});
});
</script>
@endpush

View File

@ -3,8 +3,8 @@
<div class="card-js" id="my-card" data-capture-name="true">
<input class="name" id="cardholder_name" name="card-holders-name" placeholder="{{ ctrans('texts.name')}}">
<input class="card-number my-custom-class" id="card_number" name="card-number">
<input class="expiry-month" name="expiry-month" id="expiration_month">
<input class="expiry-year" name="expiry-year" id="expiration_year">
<input class="expiry-month" name="expiry-month" id="expiration_month" autocomplete="cc-exp-month" x-autocompletetype="cc-exp-month">
<input class="expiry-year" name="expiry-year" id="expiration_year" autocomplete="cc-exp-year" x-autocompletetype="cc-exp-year">
<input class="cvc" name="cvc" id="cvv">
</div>

View File

@ -49,3 +49,23 @@
<script src="{{ asset('js/clients/payments/forte-credit-card-payment.js') }}"></script>
@endsection
@push('footer')
<script defer>
$(function() {
document.getElementsByClassName("expiry")[0].addEventListener('change', function() {
str = document.getElementsByClassName("expiry")[0].value.replace(/\s/g, '');
const expiryArray = str.split("/");
document.getElementsByName('expiry-month')[0].value = expiryArray[0];
document.getElementsByName('expiry-year')[0].value = expiryArray[1];
});
});
</script>
@endpush

View File

@ -49,3 +49,23 @@
@section('gateway_footer')
<script src="{{ asset('js/clients/payments/wepay-credit-card.js') }}"></script>
@endsection
@push('footer')
<script defer>
$(function() {
document.getElementsByClassName("expiry")[0].addEventListener('change', function() {
str = document.getElementsByClassName("expiry")[0].value.replace(/\s/g, '');
const expiryArray = str.split("/");
document.getElementsByName('expiry-month')[0].value = expiryArray[0];
document.getElementsByName('expiry-year')[0].value = expiryArray[1];
});
});
</script>
@endpush

View File

@ -81,3 +81,23 @@
<script src="{{ asset('js/clients/payments/wepay-credit-card.js') }}"></script>
@endsection
@push('footer')
<script defer>
$(function() {
document.getElementsByClassName("expiry")[0].addEventListener('change', function() {
str = document.getElementsByClassName("expiry")[0].value.replace(/\s/g, '');
const expiryArray = str.split("/");
document.getElementsByName('expiry-month')[0].value = expiryArray[0];
document.getElementsByName('expiry-year')[0].value = expiryArray[1];
});
});
</script>
@endpush