mirror of
				https://github.com/invoiceninja/invoiceninja.git
				synced 2025-10-25 10:39:42 -04:00 
			
		
		
		
	Update for conflicts
This commit is contained in:
		
						commit
						cc1ba530d2
					
				
							
								
								
									
										60
									
								
								README.md
									
									
									
									
									
								
							
							
						
						
									
										60
									
								
								README.md
									
									
									
									
									
								
							| @ -83,6 +83,66 @@ http://localhost:8000/client/login - For Client Portal | |||||||
| user: user@example.com | user: user@example.com | ||||||
| pass: password | pass: password | ||||||
| ``` | ``` | ||||||
|  | ## Developers Guide | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | ### App Design | ||||||
|  | 
 | ||||||
|  | The API and client portal have been developed using [Laravel](https://laravel.com) if you wish to contribute to this project familiarity with Laravel is essential. | ||||||
|  | 
 | ||||||
|  | When inspecting functionality of the API, the best place to start would be in the routes/api.php file which describes all of the availabe API endpoints. The controller methods then describe all the entry points into each domain of the application, ie InvoiceController / QuoteController | ||||||
|  | 
 | ||||||
|  | The average API request follows this path into the application. | ||||||
|  | 
 | ||||||
|  | * Middleware processes the request initially inspecting the domain being requested + provides the authentication layer. | ||||||
|  | * The request then passes into a Form Request (Type hinted in the controller methods) which is used to provide authorization and also validation of the request. If successful, the request is then passed into the controller method where it is digested, here is an example: | ||||||
|  | 
 | ||||||
|  | ```php | ||||||
|  | public function store(StoreInvoiceRequest $request) | ||||||
|  | { | ||||||
|  | 
 | ||||||
|  |     $invoice = $this->invoice_repo->save($request->all(), InvoiceFactory::create(auth()->user()->company()->id, auth()->user()->id)); | ||||||
|  | 
 | ||||||
|  |     $invoice = $invoice->service() | ||||||
|  |                         ->fillDefaults() | ||||||
|  |                         ->triggeredActions($request) | ||||||
|  |                         ->adjustInventory() | ||||||
|  |                         ->save(); | ||||||
|  | 
 | ||||||
|  |     event(new InvoiceWasCreated($invoice, $invoice->company, Ninja::eventVars(auth()->user() ? auth()->user()->id : null))); | ||||||
|  | 
 | ||||||
|  |     return $this->itemResponse($invoice); | ||||||
|  | 
 | ||||||
|  | } | ||||||
|  | ``` | ||||||
|  | 
 | ||||||
|  | Here for example we are storing a new invoice, we pass the validated request along with a factory into the invoice repository where it is processed and saved. | ||||||
|  | 
 | ||||||
|  | The returned invoice then passes through its service class (app/Services/Invoice) where various actions are performed. | ||||||
|  | 
 | ||||||
|  | A event is then fired which notifies listeners in the application (app/Providers/EventServiceProvider) which perform non blocking sub tasks  | ||||||
|  | 
 | ||||||
|  | Finally the invoice is transformed (app/Transformers/) and returned as a response via Fractal. | ||||||
|  | 
 | ||||||
|  | ### Developer environment | ||||||
|  | 
 | ||||||
|  | Using the Quick Hosting Setup describe above you can quickly get started building out your development environment. Instead of using  | ||||||
|  | 
 | ||||||
|  | ``` | ||||||
|  | composer i -o --no-dev | ||||||
|  | ```  | ||||||
|  | 
 | ||||||
|  | use | ||||||
|  | 
 | ||||||
|  | ``` | ||||||
|  | composer i -o | ||||||
|  | ``` | ||||||
|  | 
 | ||||||
|  | This provides the developer tools including phpunit which allows the test suite to be run. | ||||||
|  | 
 | ||||||
|  | If you are considering contributing back to the main repository, please add in any tests for new functionality / modifications. This will greatly increase the chances of your PR being accepted | ||||||
|  | 
 | ||||||
|  | Also, if you plan any additions for the main repository, you may want to discuss this with us first on Slack where we can assist with any technical information and provide advice. | ||||||
| 
 | 
 | ||||||
| ## Credits | ## Credits | ||||||
| * [Hillel Coren](https://hillelcoren.com/) | * [Hillel Coren](https://hillelcoren.com/) | ||||||
|  | |||||||
| @ -1 +1 @@ | |||||||
| 5.5.99 | 5.5.102 | ||||||
| @ -24,7 +24,7 @@ class DesignFactory | |||||||
|         $design->is_active = true; |         $design->is_active = true; | ||||||
|         $design->is_custom = true; |         $design->is_custom = true; | ||||||
|         $design->name = ''; |         $design->name = ''; | ||||||
|         $design->design = ''; |         $design->design = '[]'; | ||||||
| 
 | 
 | ||||||
|         return $design; |         return $design; | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -131,7 +131,7 @@ class InvoiceFilters extends QueryFilters | |||||||
|      */ |      */ | ||||||
|     public function upcoming(): Builder |     public function upcoming(): Builder | ||||||
|     { |     { | ||||||
|         return $this->builder |         return $this->builder->whereIn('status_id', [Invoice::STATUS_PARTIAL, Invoice::STATUS_SENT]) | ||||||
|                     ->where(function ($query) { |                     ->where(function ($query) { | ||||||
|                         $query->whereNull('due_date') |                         $query->whereNull('due_date') | ||||||
|                               ->orWhere('due_date', '>', now()); |                               ->orWhere('due_date', '>', now()); | ||||||
|  | |||||||
| @ -11,16 +11,17 @@ | |||||||
| 
 | 
 | ||||||
| namespace App\Http\Controllers; | namespace App\Http\Controllers; | ||||||
| 
 | 
 | ||||||
| use App\Http\Requests\Account\CreateAccountRequest; |  | ||||||
| use App\Http\Requests\Account\UpdateAccountRequest; |  | ||||||
| use App\Jobs\Account\CreateAccount; |  | ||||||
| use App\Models\Account; | use App\Models\Account; | ||||||
|  | use App\Libraries\MultiDB; | ||||||
|  | use App\Utils\TruthSource; | ||||||
| use App\Models\CompanyUser; | use App\Models\CompanyUser; | ||||||
|  | use Illuminate\Http\Response; | ||||||
|  | use App\Jobs\Account\CreateAccount; | ||||||
| use App\Transformers\AccountTransformer; | use App\Transformers\AccountTransformer; | ||||||
| use App\Transformers\CompanyUserTransformer; | use App\Transformers\CompanyUserTransformer; | ||||||
| use App\Utils\TruthSource; |  | ||||||
| use Illuminate\Foundation\Bus\DispatchesJobs; | use Illuminate\Foundation\Bus\DispatchesJobs; | ||||||
| use Illuminate\Http\Response; | use App\Http\Requests\Account\CreateAccountRequest; | ||||||
|  | use App\Http\Requests\Account\UpdateAccountRequest; | ||||||
| 
 | 
 | ||||||
| class AccountController extends BaseController | class AccountController extends BaseController | ||||||
| { | { | ||||||
| @ -146,8 +147,10 @@ class AccountController extends BaseController | |||||||
|         if (! ($account instanceof Account)) { |         if (! ($account instanceof Account)) { | ||||||
|             return $account; |             return $account; | ||||||
|         } |         } | ||||||
|  |          | ||||||
|  |         MultiDB::findAndSetDbByAccountKey($account->key); | ||||||
| 
 | 
 | ||||||
|         $cu = CompanyUser::where('user_id', auth()->user()->id); |         $cu = CompanyUser::where('user_id', $account->users()->first()->id); | ||||||
| 
 | 
 | ||||||
|         $company_user = $cu->first(); |         $company_user = $cu->first(); | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -38,6 +38,8 @@ class HostedMigrationController extends Controller | |||||||
|         $account->hosted_company_count = 10; |         $account->hosted_company_count = 10; | ||||||
|         $account->save(); |         $account->save(); | ||||||
| 
 | 
 | ||||||
|  |         MultiDB::findAndSetDbByAccountKey($account->key); | ||||||
|  | 
 | ||||||
|         $company = $account->companies->first(); |         $company = $account->companies->first(); | ||||||
| 
 | 
 | ||||||
|         $company_token = CompanyToken::where('user_id', auth()->user()->id) |         $company_token = CompanyToken::where('user_id', auth()->user()->id) | ||||||
|  | |||||||
| @ -145,6 +145,10 @@ class PreviewController extends BaseController | |||||||
|                 ->design($design) |                 ->design($design) | ||||||
|                 ->build(); |                 ->build(); | ||||||
| 
 | 
 | ||||||
|  | 
 | ||||||
|  |             nlog($maker->getCompiledHTML()); | ||||||
|  | 
 | ||||||
|  |              | ||||||
|             if (request()->query('html') == 'true') { |             if (request()->query('html') == 'true') { | ||||||
|                 return $maker->getCompiledHTML(); |                 return $maker->getCompiledHTML(); | ||||||
|             } |             } | ||||||
| @ -376,6 +380,8 @@ class PreviewController extends BaseController | |||||||
|             ->design($design) |             ->design($design) | ||||||
|             ->build(); |             ->build(); | ||||||
| 
 | 
 | ||||||
|  |             nlog($maker->getCompiledHTML()); | ||||||
|  | 
 | ||||||
|         if (request()->query('html') == 'true') { |         if (request()->query('html') == 'true') { | ||||||
|             return $maker->getCompiledHTML(); |             return $maker->getCompiledHTML(); | ||||||
|         } |         } | ||||||
|  | |||||||
| @ -556,4 +556,29 @@ class RecurringInvoiceController extends BaseController | |||||||
| 
 | 
 | ||||||
|         return $this->itemResponse($recurring_invoice->fresh()); |         return $this->itemResponse($recurring_invoice->fresh()); | ||||||
|     } |     } | ||||||
|  | 
 | ||||||
|  |     public function downloadPdf(string $invitation_key) | ||||||
|  |     { | ||||||
|  |         $invitation = $this->recurring_invoice_repo->getInvitationByKey($invitation_key); | ||||||
|  | 
 | ||||||
|  |         if (! $invitation) { | ||||||
|  |             return response()->json(['message' => 'no record found'], 400); | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         $contact = $invitation->contact; | ||||||
|  |         $invoice = $invitation->recurring_invoice; | ||||||
|  | 
 | ||||||
|  |         $file = $invoice->service()->getInvoicePdf($contact); | ||||||
|  | 
 | ||||||
|  |         $headers = ['Content-Type' => 'application/pdf']; | ||||||
|  | 
 | ||||||
|  |         if (request()->input('inline') == 'true') { | ||||||
|  |             $headers = array_merge($headers, ['Content-Disposition' => 'inline']); | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         return response()->streamDownload(function () use ($file) { | ||||||
|  |             echo Storage::get($file); | ||||||
|  |         }, basename($file), $headers); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
| } | } | ||||||
|  | |||||||
| @ -32,7 +32,7 @@ class StoreDesignRequest extends Request | |||||||
|         return [ |         return [ | ||||||
|             //'name' => 'required',
 |             //'name' => 'required',
 | ||||||
|             'name' => 'required|unique:designs,name,null,null,company_id,'.auth()->user()->companyId(), |             'name' => 'required|unique:designs,name,null,null,company_id,'.auth()->user()->companyId(), | ||||||
|             'design' => 'required', |             'design' => 'required|array', | ||||||
|         ]; |         ]; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -188,6 +188,8 @@ class NinjaMailerJob implements ShouldQueue | |||||||
|             } |             } | ||||||
|          |          | ||||||
|             /* Releasing immediately does not add in the backoff */ |             /* Releasing immediately does not add in the backoff */ | ||||||
|  |             sleep(rand(0, 3)); | ||||||
|  | 
 | ||||||
|             $this->release($this->backoff()[$this->attempts()-1]); |             $this->release($this->backoff()[$this->attempts()-1]); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -63,7 +63,7 @@ class WebhookSingle implements ShouldQueue | |||||||
| 
 | 
 | ||||||
|     public function backoff() |     public function backoff() | ||||||
|     { |     { | ||||||
|         return [10, 30, 60, 180, 3600]; |         return [15, 35, 65, 185, 3605]; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     /** |     /** | ||||||
| @ -223,6 +223,9 @@ class WebhookSingle implements ShouldQueue | |||||||
|                 $this->company, |                 $this->company, | ||||||
|             ))->handle(); |             ))->handle(); | ||||||
| 
 | 
 | ||||||
|  |             //add some entropy to the retry
 | ||||||
|  |             sleep(rand(0, 3)); | ||||||
|  | 
 | ||||||
|             $this->release($this->backoff()[$this->attempts()-1]); |             $this->release($this->backoff()[$this->attempts()-1]); | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -50,10 +50,10 @@ class InvoiceEmailActivity implements ShouldQueue | |||||||
|         $fields->user_id = $user_id; |         $fields->user_id = $user_id; | ||||||
|         $fields->invoice_id = $event->invitation->invoice->id; |         $fields->invoice_id = $event->invitation->invoice->id; | ||||||
|         $fields->company_id = $event->invitation->invoice->company_id; |         $fields->company_id = $event->invitation->invoice->company_id; | ||||||
|         $fields->client_contact_id = $event->invitation->invoice->client_contact_id; |         $fields->client_contact_id = $event->invitation->client_contact_id; | ||||||
|         $fields->client_id = $event->invitation->invoice->client_id; |         $fields->client_id = $event->invitation->invoice->client_id; | ||||||
|         $fields->activity_type_id = Activity::EMAIL_INVOICE; |         $fields->activity_type_id = Activity::EMAIL_INVOICE; | ||||||
| 
 | 
 | ||||||
|         $this->activity_repo->save($fields, $event->invitation->invoice, $event->event_vars); |         $this->activity_repo->save($fields, $event->invitation, $event->event_vars); | ||||||
|     } |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -47,11 +47,12 @@ class InvoiceReminderEmailActivity implements ShouldQueue | |||||||
|         $user_id = array_key_exists('user_id', $event->event_vars) ? $event->event_vars['user_id'] : $event->invitation->invoice->user_id; |         $user_id = array_key_exists('user_id', $event->event_vars) ? $event->event_vars['user_id'] : $event->invitation->invoice->user_id; | ||||||
| 
 | 
 | ||||||
|         $fields->user_id = $user_id; |         $fields->user_id = $user_id; | ||||||
|         $fields->invoice_id = $event->invitation->invoice->id; |         $fields->invoice_id = $event->invitation->invoice_id; | ||||||
|         $fields->company_id = $event->invitation->invoice->company_id; |         $fields->company_id = $event->invitation->company_id; | ||||||
|         $fields->client_contact_id = $event->invitation->invoice->client_contact_id; |         $fields->client_contact_id = $event->invitation->client_contact_id; | ||||||
|  |         $fields->client_id = $event->invitation->invoice->client_id; | ||||||
|         $fields->activity_type_id = $event->reminder; |         $fields->activity_type_id = $event->reminder; | ||||||
| 
 | 
 | ||||||
|         $this->activity_repo->save($fields, $event->invitation->invoice, $event->event_vars); |         $this->activity_repo->save($fields, $event->invitation, $event->event_vars); | ||||||
|     } |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -39,7 +39,6 @@ class PaymentNotification implements ShouldQueue | |||||||
|      * Handle the event. |      * Handle the event. | ||||||
|      * |      * | ||||||
|      * @param object $event |      * @param object $event | ||||||
|      * @return bool |  | ||||||
|      */ |      */ | ||||||
|     public function handle($event) |     public function handle($event) | ||||||
|     { |     { | ||||||
| @ -51,6 +50,15 @@ class PaymentNotification implements ShouldQueue | |||||||
| 
 | 
 | ||||||
|         $payment = $event->payment; |         $payment = $event->payment; | ||||||
| 
 | 
 | ||||||
|  | 
 | ||||||
|  |         /*Google Analytics Track Revenue*/ | ||||||
|  |         if (isset($payment->company->google_analytics_key)) { | ||||||
|  |             $this->trackRevenue($event); | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         if($payment->is_manual) | ||||||
|  |             return; | ||||||
|  | 
 | ||||||
|         /*User notifications*/ |         /*User notifications*/ | ||||||
|         foreach ($payment->company->company_users as $company_user) { |         foreach ($payment->company->company_users as $company_user) { | ||||||
|             $user = $company_user->user; |             $user = $company_user->user; | ||||||
| @ -80,10 +88,6 @@ class PaymentNotification implements ShouldQueue | |||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         /*Google Analytics Track Revenue*/ |  | ||||||
|         if (isset($payment->company->google_analytics_key)) { |  | ||||||
|             $this->trackRevenue($event); |  | ||||||
|         } |  | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     private function trackRevenue($event) |     private function trackRevenue($event) | ||||||
|  | |||||||
| @ -49,11 +49,11 @@ class PurchaseOrderEmailActivity implements ShouldQueue | |||||||
| 
 | 
 | ||||||
|         $fields->user_id = $user_id; |         $fields->user_id = $user_id; | ||||||
|         $fields->purchase_order_id = $event->invitation->purchase_order->id; |         $fields->purchase_order_id = $event->invitation->purchase_order->id; | ||||||
|         $fields->company_id = $event->invitation->purchase_order->company_id; |         $fields->company_id = $event->invitation->company_id; | ||||||
|         $fields->vendor_contact_id = $event->invitation->purchase_order->vendor_contact_id; |         $fields->vendor_contact_id = $event->invitation->vendor_contact_id; | ||||||
|         $fields->vendor_id = $event->invitation->purchase_order->vendor_id; |         $fields->vendor_id = $event->invitation->purchase_order->vendor_id; | ||||||
|         $fields->activity_type_id = Activity::EMAIL_PURCHASE_ORDER; |         $fields->activity_type_id = Activity::EMAIL_PURCHASE_ORDER; | ||||||
| 
 | 
 | ||||||
|         $this->activity_repo->save($fields, $event->invitation->purchase_order, $event->event_vars); |         $this->activity_repo->save($fields, $event->invitation, $event->event_vars); | ||||||
|     } |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -56,6 +56,6 @@ class QuoteEmailActivity implements ShouldQueue | |||||||
|         $fields->client_id = $event->invitation->quote->client_id; |         $fields->client_id = $event->invitation->quote->client_id; | ||||||
|         $fields->activity_type_id = Activity::EMAIL_QUOTE; |         $fields->activity_type_id = Activity::EMAIL_QUOTE; | ||||||
| 
 | 
 | ||||||
|         $this->activity_repo->save($fields, $event->invitation->quote, $event->event_vars); |         $this->activity_repo->save($fields, $event->invitation, $event->event_vars); | ||||||
|     } |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -327,7 +327,6 @@ use Laracasts\Presenter\PresentableTrait; | |||||||
|  * @property-read \Illuminate\Database\Eloquent\Collection<int, \App\Models\Vendor> $vendors |  * @property-read \Illuminate\Database\Eloquent\Collection<int, \App\Models\Vendor> $vendors | ||||||
|  * @property-read \Illuminate\Database\Eloquent\Collection<int, \App\Models\Webhook> $webhooks |  * @property-read \Illuminate\Database\Eloquent\Collection<int, \App\Models\Webhook> $webhooks | ||||||
|  * @property int $calculate_taxes |  * @property int $calculate_taxes | ||||||
|  * @property int $tax_all_products |  | ||||||
|  * @property mixed $tax_data |  * @property mixed $tax_data | ||||||
|  * @property-read \Illuminate\Database\Eloquent\Collection<int, \App\Models\Activity> $activities |  * @property-read \Illuminate\Database\Eloquent\Collection<int, \App\Models\Activity> $activities | ||||||
|  * @property-read \Illuminate\Database\Eloquent\Collection<int, \App\Models\Activity> $all_activities |  * @property-read \Illuminate\Database\Eloquent\Collection<int, \App\Models\Activity> $all_activities | ||||||
| @ -777,7 +776,6 @@ class Company extends BaseModel | |||||||
|         'convert_expense_currency', |         'convert_expense_currency', | ||||||
|         'notify_vendor_when_paid', |         'notify_vendor_when_paid', | ||||||
|         'calculate_taxes', |         'calculate_taxes', | ||||||
|         'tax_all_products', |  | ||||||
|     ]; |     ]; | ||||||
| 
 | 
 | ||||||
|     protected $hidden = [ |     protected $hidden = [ | ||||||
|  | |||||||
| @ -28,6 +28,6 @@ class RecurringInvoiceRepository extends BaseRepository | |||||||
| 
 | 
 | ||||||
|     public function getInvitationByKey($key) :?RecurringInvoiceInvitation |     public function getInvitationByKey($key) :?RecurringInvoiceInvitation | ||||||
|     { |     { | ||||||
|         return RecurringInvoiceInvitation::where('key', $key)->first(); |         return RecurringInvoiceInvitation::withTrashed()->where('key', $key)->first(); | ||||||
|     } |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -309,6 +309,9 @@ class Email implements ShouldQueue | |||||||
| 
 | 
 | ||||||
|             $this->tearDown(); |             $this->tearDown(); | ||||||
|             /* Releasing immediately does not add in the backoff */ |             /* Releasing immediately does not add in the backoff */ | ||||||
|  | 
 | ||||||
|  |             sleep(rand(0, 3)); | ||||||
|  | 
 | ||||||
|             $this->release($this->backoff()[$this->attempts()-1]); |             $this->release($this->backoff()[$this->attempts()-1]); | ||||||
| 
 | 
 | ||||||
|             $message = null; |             $message = null; | ||||||
|  | |||||||
| @ -136,6 +136,8 @@ class EmailMailer implements ShouldQueue | |||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|             /* Releasing immediately does not add in the backoff */ |             /* Releasing immediately does not add in the backoff */ | ||||||
|  |             sleep(rand(0, 3)); | ||||||
|  | 
 | ||||||
|             $this->release($this->backoff()[$this->attempts()-1]); |             $this->release($this->backoff()[$this->attempts()-1]); | ||||||
| 
 | 
 | ||||||
|             $message = null; |             $message = null; | ||||||
|  | |||||||
| @ -11,11 +11,9 @@ | |||||||
| 
 | 
 | ||||||
| namespace App\Services\Payment; | namespace App\Services\Payment; | ||||||
| 
 | 
 | ||||||
| use App\Events\Payment\PaymentWasEmailed; |  | ||||||
| use App\Jobs\Payment\EmailPayment; | use App\Jobs\Payment\EmailPayment; | ||||||
| use App\Models\ClientContact; | use App\Models\ClientContact; | ||||||
| use App\Models\Payment; | use App\Models\Payment; | ||||||
| use App\Utils\Ninja; |  | ||||||
| 
 | 
 | ||||||
| class SendEmail | class SendEmail | ||||||
| { | { | ||||||
| @ -40,7 +38,7 @@ class SendEmail | |||||||
|         //         if (!$invitation->contact->trashed() && $invitation->contact->email) {
 |         //         if (!$invitation->contact->trashed() && $invitation->contact->email) {
 | ||||||
|         EmailPayment::dispatch($this->payment, $this->payment->company, $this->contact); |         EmailPayment::dispatch($this->payment, $this->payment->company, $this->contact); | ||||||
|                      |                      | ||||||
|         event(new PaymentWasEmailed($this->payment, $this->payment->company, Ninja::eventVars(auth()->user() ? auth()->user()->id : null))); |         // event(new PaymentWasEmailed($this->payment, $this->payment->company, Ninja::eventVars(auth()->user() ? auth()->user()->id : null)));
 | ||||||
|         //         }
 |         //         }
 | ||||||
|         //     });
 |         //     });
 | ||||||
|         // });
 |         // });
 | ||||||
|  | |||||||
| @ -33,7 +33,7 @@ class UpdatePrice extends AbstractService | |||||||
|             ->first(); |             ->first(); | ||||||
|              |              | ||||||
|             if ($product) { |             if ($product) { | ||||||
|                 $line_items[$key]->cost = floatval($product->cost); |                 $line_items[$key]->cost = floatval($product->price); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -194,7 +194,6 @@ class CompanyTransformer extends EntityTransformer | |||||||
|             'notify_vendor_when_paid' => (bool) $company->notify_vendor_when_paid, |             'notify_vendor_when_paid' => (bool) $company->notify_vendor_when_paid, | ||||||
|             'invoice_task_hours' => (bool) $company->invoice_task_hours, |             'invoice_task_hours' => (bool) $company->invoice_task_hours, | ||||||
|             'calculate_taxes' => (bool) $company->calculate_taxes, |             'calculate_taxes' => (bool) $company->calculate_taxes, | ||||||
|             'tax_all_products' => (bool) $company->tax_all_products, |  | ||||||
|             'tax_data' => $company->tax_data ?: '', |             'tax_data' => $company->tax_data ?: '', | ||||||
|         ]; |         ]; | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -159,7 +159,10 @@ | |||||||
|     "config": { |     "config": { | ||||||
|         "preferred-install": "dist", |         "preferred-install": "dist", | ||||||
|         "sort-packages": true, |         "sort-packages": true, | ||||||
|         "optimize-autoloader": true |         "optimize-autoloader": true, | ||||||
|  |         "allow-plugins": { | ||||||
|  |             "php-http/discovery": true | ||||||
|  |         } | ||||||
|     }, |     }, | ||||||
|     "minimum-stability": "dev", |     "minimum-stability": "dev", | ||||||
|     "prefer-stable": true |     "prefer-stable": true | ||||||
|  | |||||||
							
								
								
									
										333
									
								
								composer.lock
									
									
									
										generated
									
									
									
								
							
							
						
						
									
										333
									
								
								composer.lock
									
									
									
										generated
									
									
									
								
							| @ -330,23 +330,27 @@ | |||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "aws/aws-crt-php", |             "name": "aws/aws-crt-php", | ||||||
|             "version": "v1.0.4", |             "version": "v1.2.1", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/awslabs/aws-crt-php.git", |                 "url": "https://github.com/awslabs/aws-crt-php.git", | ||||||
|                 "reference": "f5c64ee7c5fce196e2519b3d9b7138649efe032d" |                 "reference": "1926277fc71d253dfa820271ac5987bdb193ccf5" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/awslabs/aws-crt-php/zipball/f5c64ee7c5fce196e2519b3d9b7138649efe032d", |                 "url": "https://api.github.com/repos/awslabs/aws-crt-php/zipball/1926277fc71d253dfa820271ac5987bdb193ccf5", | ||||||
|                 "reference": "f5c64ee7c5fce196e2519b3d9b7138649efe032d", |                 "reference": "1926277fc71d253dfa820271ac5987bdb193ccf5", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
|                 "php": ">=5.5" |                 "php": ">=5.5" | ||||||
|             }, |             }, | ||||||
|             "require-dev": { |             "require-dev": { | ||||||
|                 "phpunit/phpunit": "^4.8.35|^5.6.3" |                 "phpunit/phpunit": "^4.8.35||^5.6.3||^9.5", | ||||||
|  |                 "yoast/phpunit-polyfills": "^1.0" | ||||||
|  |             }, | ||||||
|  |             "suggest": { | ||||||
|  |                 "ext-awscrt": "Make sure you install awscrt native extension to use any of the functionality." | ||||||
|             }, |             }, | ||||||
|             "type": "library", |             "type": "library", | ||||||
|             "autoload": { |             "autoload": { | ||||||
| @ -365,7 +369,7 @@ | |||||||
|                 } |                 } | ||||||
|             ], |             ], | ||||||
|             "description": "AWS Common Runtime for PHP", |             "description": "AWS Common Runtime for PHP", | ||||||
|             "homepage": "http://aws.amazon.com/sdkforphp", |             "homepage": "https://github.com/awslabs/aws-crt-php", | ||||||
|             "keywords": [ |             "keywords": [ | ||||||
|                 "amazon", |                 "amazon", | ||||||
|                 "aws", |                 "aws", | ||||||
| @ -374,22 +378,22 @@ | |||||||
|             ], |             ], | ||||||
|             "support": { |             "support": { | ||||||
|                 "issues": "https://github.com/awslabs/aws-crt-php/issues", |                 "issues": "https://github.com/awslabs/aws-crt-php/issues", | ||||||
|                 "source": "https://github.com/awslabs/aws-crt-php/tree/v1.0.4" |                 "source": "https://github.com/awslabs/aws-crt-php/tree/v1.2.1" | ||||||
|             }, |             }, | ||||||
|             "time": "2023-01-31T23:08:25+00:00" |             "time": "2023-03-24T20:22:19+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "aws/aws-sdk-php", |             "name": "aws/aws-sdk-php", | ||||||
|             "version": "3.261.9", |             "version": "3.263.0", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/aws/aws-sdk-php.git", |                 "url": "https://github.com/aws/aws-sdk-php.git", | ||||||
|                 "reference": "d91e6f89a6c41e8df859b0d313150386cfee6f6a" |                 "reference": "a0a528cb8e22dd0113f97ad0df527a6db32fe061" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/aws/aws-sdk-php/zipball/d91e6f89a6c41e8df859b0d313150386cfee6f6a", |                 "url": "https://api.github.com/repos/aws/aws-sdk-php/zipball/a0a528cb8e22dd0113f97ad0df527a6db32fe061", | ||||||
|                 "reference": "d91e6f89a6c41e8df859b0d313150386cfee6f6a", |                 "reference": "a0a528cb8e22dd0113f97ad0df527a6db32fe061", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
| @ -468,9 +472,9 @@ | |||||||
|             "support": { |             "support": { | ||||||
|                 "forum": "https://forums.aws.amazon.com/forum.jspa?forumID=80", |                 "forum": "https://forums.aws.amazon.com/forum.jspa?forumID=80", | ||||||
|                 "issues": "https://github.com/aws/aws-sdk-php/issues", |                 "issues": "https://github.com/aws/aws-sdk-php/issues", | ||||||
|                 "source": "https://github.com/aws/aws-sdk-php/tree/3.261.9" |                 "source": "https://github.com/aws/aws-sdk-php/tree/3.263.0" | ||||||
|             }, |             }, | ||||||
|             "time": "2023-03-10T19:25:08+00:00" |             "time": "2023-03-30T18:22:31+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "bacon/bacon-qr-code", |             "name": "bacon/bacon-qr-code", | ||||||
| @ -2101,16 +2105,16 @@ | |||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "google/apiclient", |             "name": "google/apiclient", | ||||||
|             "version": "v2.13.0", |             "version": "v2.13.1", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/googleapis/google-api-php-client.git", |                 "url": "https://github.com/googleapis/google-api-php-client.git", | ||||||
|                 "reference": "b653a338c5a658adf6df4bb2f44c2cc02fe7eb1d" |                 "reference": "895749dd4f14c349ca0b4aad020ff973f961e519" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/googleapis/google-api-php-client/zipball/b653a338c5a658adf6df4bb2f44c2cc02fe7eb1d", |                 "url": "https://api.github.com/repos/googleapis/google-api-php-client/zipball/895749dd4f14c349ca0b4aad020ff973f961e519", | ||||||
|                 "reference": "b653a338c5a658adf6df4bb2f44c2cc02fe7eb1d", |                 "reference": "895749dd4f14c349ca0b4aad020ff973f961e519", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
| @ -2165,22 +2169,22 @@ | |||||||
|             ], |             ], | ||||||
|             "support": { |             "support": { | ||||||
|                 "issues": "https://github.com/googleapis/google-api-php-client/issues", |                 "issues": "https://github.com/googleapis/google-api-php-client/issues", | ||||||
|                 "source": "https://github.com/googleapis/google-api-php-client/tree/v2.13.0" |                 "source": "https://github.com/googleapis/google-api-php-client/tree/v2.13.1" | ||||||
|             }, |             }, | ||||||
|             "time": "2022-12-19T22:17:11+00:00" |             "time": "2023-03-13T20:38:21+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "google/apiclient-services", |             "name": "google/apiclient-services", | ||||||
|             "version": "v0.290.0", |             "version": "v0.292.0", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/googleapis/google-api-php-client-services.git", |                 "url": "https://github.com/googleapis/google-api-php-client-services.git", | ||||||
|                 "reference": "df7e6cbab08f60509b3f360d8286c194ad2930e2" |                 "reference": "6f79073f022686461af2d1a95b4fe91caaf947ec" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/googleapis/google-api-php-client-services/zipball/df7e6cbab08f60509b3f360d8286c194ad2930e2", |                 "url": "https://api.github.com/repos/googleapis/google-api-php-client-services/zipball/6f79073f022686461af2d1a95b4fe91caaf947ec", | ||||||
|                 "reference": "df7e6cbab08f60509b3f360d8286c194ad2930e2", |                 "reference": "6f79073f022686461af2d1a95b4fe91caaf947ec", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
| @ -2209,9 +2213,9 @@ | |||||||
|             ], |             ], | ||||||
|             "support": { |             "support": { | ||||||
|                 "issues": "https://github.com/googleapis/google-api-php-client-services/issues", |                 "issues": "https://github.com/googleapis/google-api-php-client-services/issues", | ||||||
|                 "source": "https://github.com/googleapis/google-api-php-client-services/tree/v0.290.0" |                 "source": "https://github.com/googleapis/google-api-php-client-services/tree/v0.292.0" | ||||||
|             }, |             }, | ||||||
|             "time": "2023-03-01T17:20:18+00:00" |             "time": "2023-03-13T21:05:11+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "google/auth", |             "name": "google/auth", | ||||||
| @ -3099,32 +3103,32 @@ | |||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "imdhemy/google-play-billing", |             "name": "imdhemy/google-play-billing", | ||||||
|             "version": "1.3.1", |             "version": "1.3.2", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/imdhemy/google-play-billing.git", |                 "url": "https://github.com/imdhemy/google-play-billing.git", | ||||||
|                 "reference": "803b3357dfa31f89d062dbe757e10a482e262a35" |                 "reference": "ee302cdca72d9cde0aa27f855d76f638eb28b104" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/imdhemy/google-play-billing/zipball/803b3357dfa31f89d062dbe757e10a482e262a35", |                 "url": "https://api.github.com/repos/imdhemy/google-play-billing/zipball/ee302cdca72d9cde0aa27f855d76f638eb28b104", | ||||||
|                 "reference": "803b3357dfa31f89d062dbe757e10a482e262a35", |                 "reference": "ee302cdca72d9cde0aa27f855d76f638eb28b104", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
|                 "ext-json": "*", |                 "ext-json": "*", | ||||||
|                 "google/auth": "^1.15", |                 "google/auth": "^1.21", | ||||||
|                 "guzzlehttp/guzzle": "^6.5|^7.4", |                 "guzzlehttp/guzzle": "^6.5|^7.4", | ||||||
|                 "nesbot/carbon": "^2.41", |                 "nesbot/carbon": "^2.61", | ||||||
|                 "php": ">=7.4" |                 "php": ">=7.4" | ||||||
|             }, |             }, | ||||||
|             "require-dev": { |             "require-dev": { | ||||||
|                 "fakerphp/faker": "^1.16", |                 "fakerphp/faker": "^1.20", | ||||||
|                 "friendsofphp/php-cs-fixer": "^3.2", |                 "friendsofphp/php-cs-fixer": "^3.10", | ||||||
|                 "phpunit/phpunit": "^9.5", |                 "phpunit/phpunit": "^9.5", | ||||||
|                 "roave/security-advisories": "dev-latest", |                 "roave/security-advisories": "dev-latest", | ||||||
|                 "symfony/var-dumper": "^5.3", |                 "symfony/var-dumper": "^5.4", | ||||||
|                 "vimeo/psalm": "^4.12" |                 "vimeo/psalm": "^4.26" | ||||||
|             }, |             }, | ||||||
|             "type": "library", |             "type": "library", | ||||||
|             "autoload": { |             "autoload": { | ||||||
| @ -3145,9 +3149,9 @@ | |||||||
|             "description": "Google Play Billing", |             "description": "Google Play Billing", | ||||||
|             "support": { |             "support": { | ||||||
|                 "issues": "https://github.com/imdhemy/google-play-billing/issues", |                 "issues": "https://github.com/imdhemy/google-play-billing/issues", | ||||||
|                 "source": "https://github.com/imdhemy/google-play-billing/tree/1.3.1" |                 "source": "https://github.com/imdhemy/google-play-billing/tree/1.3.2" | ||||||
|             }, |             }, | ||||||
|             "time": "2022-12-09T09:08:03+00:00" |             "time": "2023-03-28T05:40:14+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "imdhemy/laravel-purchases", |             "name": "imdhemy/laravel-purchases", | ||||||
| @ -3589,16 +3593,16 @@ | |||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "laravel/framework", |             "name": "laravel/framework", | ||||||
|             "version": "v9.52.4", |             "version": "v9.52.5", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/laravel/framework.git", |                 "url": "https://github.com/laravel/framework.git", | ||||||
|                 "reference": "9239128cfb4d22afefb64060dfecf53e82987267" |                 "reference": "e14d28c0f9403630d13f308bb43f3d3cb73d6d67" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/laravel/framework/zipball/9239128cfb4d22afefb64060dfecf53e82987267", |                 "url": "https://api.github.com/repos/laravel/framework/zipball/e14d28c0f9403630d13f308bb43f3d3cb73d6d67", | ||||||
|                 "reference": "9239128cfb4d22afefb64060dfecf53e82987267", |                 "reference": "e14d28c0f9403630d13f308bb43f3d3cb73d6d67", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
| @ -3783,7 +3787,7 @@ | |||||||
|                 "issues": "https://github.com/laravel/framework/issues", |                 "issues": "https://github.com/laravel/framework/issues", | ||||||
|                 "source": "https://github.com/laravel/framework" |                 "source": "https://github.com/laravel/framework" | ||||||
|             }, |             }, | ||||||
|             "time": "2023-02-22T14:38:06+00:00" |             "time": "2023-03-28T18:03:54+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "laravel/serializable-closure", |             "name": "laravel/serializable-closure", | ||||||
| @ -4244,16 +4248,16 @@ | |||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "league/commonmark", |             "name": "league/commonmark", | ||||||
|             "version": "2.3.9", |             "version": "2.4.0", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/thephpleague/commonmark.git", |                 "url": "https://github.com/thephpleague/commonmark.git", | ||||||
|                 "reference": "c1e114f74e518daca2729ea8c4bf1167038fa4b5" |                 "reference": "d44a24690f16b8c1808bf13b1bd54ae4c63ea048" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/thephpleague/commonmark/zipball/c1e114f74e518daca2729ea8c4bf1167038fa4b5", |                 "url": "https://api.github.com/repos/thephpleague/commonmark/zipball/d44a24690f16b8c1808bf13b1bd54ae4c63ea048", | ||||||
|                 "reference": "c1e114f74e518daca2729ea8c4bf1167038fa4b5", |                 "reference": "d44a24690f16b8c1808bf13b1bd54ae4c63ea048", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
| @ -4289,7 +4293,7 @@ | |||||||
|             "type": "library", |             "type": "library", | ||||||
|             "extra": { |             "extra": { | ||||||
|                 "branch-alias": { |                 "branch-alias": { | ||||||
|                     "dev-main": "2.4-dev" |                     "dev-main": "2.5-dev" | ||||||
|                 } |                 } | ||||||
|             }, |             }, | ||||||
|             "autoload": { |             "autoload": { | ||||||
| @ -4346,7 +4350,7 @@ | |||||||
|                     "type": "tidelift" |                     "type": "tidelift" | ||||||
|                 } |                 } | ||||||
|             ], |             ], | ||||||
|             "time": "2023-02-15T14:07:24+00:00" |             "time": "2023-03-24T15:16:10+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "league/config", |             "name": "league/config", | ||||||
| @ -5016,16 +5020,16 @@ | |||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "microsoft/microsoft-graph", |             "name": "microsoft/microsoft-graph", | ||||||
|             "version": "1.89.0", |             "version": "1.92.0", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/microsoftgraph/msgraph-sdk-php.git", |                 "url": "https://github.com/microsoftgraph/msgraph-sdk-php.git", | ||||||
|                 "reference": "b263ffdefdb83e8ec5e0d3cac0e56e0f7f30ea2f" |                 "reference": "11bdfe4692002ccd40a36faca844916109f1939e" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/microsoftgraph/msgraph-sdk-php/zipball/b263ffdefdb83e8ec5e0d3cac0e56e0f7f30ea2f", |                 "url": "https://api.github.com/repos/microsoftgraph/msgraph-sdk-php/zipball/11bdfe4692002ccd40a36faca844916109f1939e", | ||||||
|                 "reference": "b263ffdefdb83e8ec5e0d3cac0e56e0f7f30ea2f", |                 "reference": "11bdfe4692002ccd40a36faca844916109f1939e", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
| @ -5061,22 +5065,22 @@ | |||||||
|             "homepage": "https://developer.microsoft.com/en-us/graph", |             "homepage": "https://developer.microsoft.com/en-us/graph", | ||||||
|             "support": { |             "support": { | ||||||
|                 "issues": "https://github.com/microsoftgraph/msgraph-sdk-php/issues", |                 "issues": "https://github.com/microsoftgraph/msgraph-sdk-php/issues", | ||||||
|                 "source": "https://github.com/microsoftgraph/msgraph-sdk-php/tree/1.89.0" |                 "source": "https://github.com/microsoftgraph/msgraph-sdk-php/tree/1.92.0" | ||||||
|             }, |             }, | ||||||
|             "time": "2023-03-02T07:33:45+00:00" |             "time": "2023-03-21T14:11:26+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "mollie/mollie-api-php", |             "name": "mollie/mollie-api-php", | ||||||
|             "version": "v2.50.1", |             "version": "v2.52.0", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/mollie/mollie-api-php.git", |                 "url": "https://github.com/mollie/mollie-api-php.git", | ||||||
|                 "reference": "b2739c31a8a037d6fa1bf204e071c9dd4f465f38" |                 "reference": "f2f694ce26ef37362bdffe7b230b4d89f1c74e2d" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/mollie/mollie-api-php/zipball/b2739c31a8a037d6fa1bf204e071c9dd4f465f38", |                 "url": "https://api.github.com/repos/mollie/mollie-api-php/zipball/f2f694ce26ef37362bdffe7b230b4d89f1c74e2d", | ||||||
|                 "reference": "b2739c31a8a037d6fa1bf204e071c9dd4f465f38", |                 "reference": "f2f694ce26ef37362bdffe7b230b4d89f1c74e2d", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
| @ -5153,9 +5157,9 @@ | |||||||
|             ], |             ], | ||||||
|             "support": { |             "support": { | ||||||
|                 "issues": "https://github.com/mollie/mollie-api-php/issues", |                 "issues": "https://github.com/mollie/mollie-api-php/issues", | ||||||
|                 "source": "https://github.com/mollie/mollie-api-php/tree/v2.50.1" |                 "source": "https://github.com/mollie/mollie-api-php/tree/v2.52.0" | ||||||
|             }, |             }, | ||||||
|             "time": "2023-03-10T12:15:10+00:00" |             "time": "2023-03-20T13:47:44+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "moneyphp/money", |             "name": "moneyphp/money", | ||||||
| @ -6583,38 +6587,44 @@ | |||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "php-http/discovery", |             "name": "php-http/discovery", | ||||||
|             "version": "1.14.3", |             "version": "1.15.2", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/php-http/discovery.git", |                 "url": "https://github.com/php-http/discovery.git", | ||||||
|                 "reference": "31d8ee46d0215108df16a8527c7438e96a4d7735" |                 "reference": "5cc428320191ac1d0b6520034c2dc0698628ced5" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/php-http/discovery/zipball/31d8ee46d0215108df16a8527c7438e96a4d7735", |                 "url": "https://api.github.com/repos/php-http/discovery/zipball/5cc428320191ac1d0b6520034c2dc0698628ced5", | ||||||
|                 "reference": "31d8ee46d0215108df16a8527c7438e96a4d7735", |                 "reference": "5cc428320191ac1d0b6520034c2dc0698628ced5", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
|  |                 "composer-plugin-api": "^1.0|^2.0", | ||||||
|                 "php": "^7.1 || ^8.0" |                 "php": "^7.1 || ^8.0" | ||||||
|             }, |             }, | ||||||
|             "conflict": { |             "conflict": { | ||||||
|                 "nyholm/psr7": "<1.0" |                 "nyholm/psr7": "<1.0" | ||||||
|             }, |             }, | ||||||
|  |             "provide": { | ||||||
|  |                 "php-http/async-client-implementation": "*", | ||||||
|  |                 "php-http/client-implementation": "*", | ||||||
|  |                 "psr/http-client-implementation": "*", | ||||||
|  |                 "psr/http-factory-implementation": "*", | ||||||
|  |                 "psr/http-message-implementation": "*" | ||||||
|  |             }, | ||||||
|             "require-dev": { |             "require-dev": { | ||||||
|  |                 "composer/composer": "^1.0.2|^2.0", | ||||||
|                 "graham-campbell/phpspec-skip-example-extension": "^5.0", |                 "graham-campbell/phpspec-skip-example-extension": "^5.0", | ||||||
|                 "php-http/httplug": "^1.0 || ^2.0", |                 "php-http/httplug": "^1.0 || ^2.0", | ||||||
|                 "php-http/message-factory": "^1.0", |                 "php-http/message-factory": "^1.0", | ||||||
|                 "phpspec/phpspec": "^5.1 || ^6.1" |                 "phpspec/phpspec": "^5.1 || ^6.1 || ^7.3", | ||||||
|  |                 "symfony/phpunit-bridge": "^6.2" | ||||||
|             }, |             }, | ||||||
|             "suggest": { |             "type": "composer-plugin", | ||||||
|                 "php-http/message": "Allow to use Guzzle, Diactoros or Slim Framework factories" |  | ||||||
|             }, |  | ||||||
|             "type": "library", |  | ||||||
|             "extra": { |             "extra": { | ||||||
|                 "branch-alias": { |                 "class": "Http\\Discovery\\Composer\\Plugin", | ||||||
|                     "dev-master": "1.9-dev" |                 "plugin-optional": true | ||||||
|                 } |  | ||||||
|             }, |             }, | ||||||
|             "autoload": { |             "autoload": { | ||||||
|                 "psr-4": { |                 "psr-4": { | ||||||
| @ -6631,7 +6641,7 @@ | |||||||
|                     "email": "mark.sagikazar@gmail.com" |                     "email": "mark.sagikazar@gmail.com" | ||||||
|                 } |                 } | ||||||
|             ], |             ], | ||||||
|             "description": "Finds installed HTTPlug implementations and PSR-7 message factories", |             "description": "Finds and installs PSR-7, PSR-17, PSR-18 and HTTPlug implementations", | ||||||
|             "homepage": "http://php-http.org", |             "homepage": "http://php-http.org", | ||||||
|             "keywords": [ |             "keywords": [ | ||||||
|                 "adapter", |                 "adapter", | ||||||
| @ -6640,13 +6650,14 @@ | |||||||
|                 "factory", |                 "factory", | ||||||
|                 "http", |                 "http", | ||||||
|                 "message", |                 "message", | ||||||
|  |                 "psr17", | ||||||
|                 "psr7" |                 "psr7" | ||||||
|             ], |             ], | ||||||
|             "support": { |             "support": { | ||||||
|                 "issues": "https://github.com/php-http/discovery/issues", |                 "issues": "https://github.com/php-http/discovery/issues", | ||||||
|                 "source": "https://github.com/php-http/discovery/tree/1.14.3" |                 "source": "https://github.com/php-http/discovery/tree/1.15.2" | ||||||
|             }, |             }, | ||||||
|             "time": "2022-07-11T14:04:40+00:00" |             "time": "2023-02-11T08:28:41+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "php-http/guzzle7-adapter", |             "name": "php-http/guzzle7-adapter", | ||||||
| @ -7657,16 +7668,16 @@ | |||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "psy/psysh", |             "name": "psy/psysh", | ||||||
|             "version": "v0.11.12", |             "version": "v0.11.14", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/bobthecow/psysh.git", |                 "url": "https://github.com/bobthecow/psysh.git", | ||||||
|                 "reference": "52cb7c47d403c31c0adc9bf7710fc355f93c20f7" |                 "reference": "8c2e264def7a8263a68ef6f0b55ce90b77d41e17" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/bobthecow/psysh/zipball/52cb7c47d403c31c0adc9bf7710fc355f93c20f7", |                 "url": "https://api.github.com/repos/bobthecow/psysh/zipball/8c2e264def7a8263a68ef6f0b55ce90b77d41e17", | ||||||
|                 "reference": "52cb7c47d403c31c0adc9bf7710fc355f93c20f7", |                 "reference": "8c2e264def7a8263a68ef6f0b55ce90b77d41e17", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
| @ -7727,9 +7738,9 @@ | |||||||
|             ], |             ], | ||||||
|             "support": { |             "support": { | ||||||
|                 "issues": "https://github.com/bobthecow/psysh/issues", |                 "issues": "https://github.com/bobthecow/psysh/issues", | ||||||
|                 "source": "https://github.com/bobthecow/psysh/tree/v0.11.12" |                 "source": "https://github.com/bobthecow/psysh/tree/v0.11.14" | ||||||
|             }, |             }, | ||||||
|             "time": "2023-01-29T21:24:40+00:00" |             "time": "2023-03-28T03:41:01+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "pusher/pusher-php-server", |             "name": "pusher/pusher-php-server", | ||||||
| @ -7931,12 +7942,12 @@ | |||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/ramsey/uuid.git", |                 "url": "https://github.com/ramsey/uuid.git", | ||||||
|                 "reference": "bf2bee216a4379eaf62162307d62bb7850405fec" |                 "reference": "8e955307d32dc9b6992440ff81321d3cb09db75a" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/ramsey/uuid/zipball/bf2bee216a4379eaf62162307d62bb7850405fec", |                 "url": "https://api.github.com/repos/ramsey/uuid/zipball/8e955307d32dc9b6992440ff81321d3cb09db75a", | ||||||
|                 "reference": "bf2bee216a4379eaf62162307d62bb7850405fec", |                 "reference": "8e955307d32dc9b6992440ff81321d3cb09db75a", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
| @ -8016,7 +8027,7 @@ | |||||||
|                     "type": "tidelift" |                     "type": "tidelift" | ||||||
|                 } |                 } | ||||||
|             ], |             ], | ||||||
|             "time": "2023-02-07T16:14:23+00:00" |             "time": "2023-03-27T22:05:11+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "razorpay/razorpay", |             "name": "razorpay/razorpay", | ||||||
| @ -8348,32 +8359,31 @@ | |||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "sentry/sentry", |             "name": "sentry/sentry", | ||||||
|             "version": "3.14.0", |             "version": "3.17.0", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/getsentry/sentry-php.git", |                 "url": "https://github.com/getsentry/sentry-php.git", | ||||||
|                 "reference": "60dd3f74ab21cc2bf53f39bf7c342798bc185c23" |                 "reference": "95d2e932383cf684f77acff0d2a5aef5ad2f1933" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/getsentry/sentry-php/zipball/60dd3f74ab21cc2bf53f39bf7c342798bc185c23", |                 "url": "https://api.github.com/repos/getsentry/sentry-php/zipball/95d2e932383cf684f77acff0d2a5aef5ad2f1933", | ||||||
|                 "reference": "60dd3f74ab21cc2bf53f39bf7c342798bc185c23", |                 "reference": "95d2e932383cf684f77acff0d2a5aef5ad2f1933", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
|                 "ext-json": "*", |                 "ext-json": "*", | ||||||
|                 "ext-mbstring": "*", |                 "ext-mbstring": "*", | ||||||
|                 "guzzlehttp/promises": "^1.4", |                 "guzzlehttp/promises": "^1.4", | ||||||
|                 "guzzlehttp/psr7": "^1.8.4|^2.1.1", |  | ||||||
|                 "jean85/pretty-package-versions": "^1.5|^2.0.4", |                 "jean85/pretty-package-versions": "^1.5|^2.0.4", | ||||||
|                 "php": "^7.2|^8.0", |                 "php": "^7.2|^8.0", | ||||||
|                 "php-http/async-client-implementation": "^1.0", |                 "php-http/async-client-implementation": "^1.0", | ||||||
|                 "php-http/client-common": "^1.5|^2.0", |                 "php-http/client-common": "^1.5|^2.0", | ||||||
|                 "php-http/discovery": "^1.11, <1.15", |                 "php-http/discovery": "^1.15", | ||||||
|                 "php-http/httplug": "^1.1|^2.0", |                 "php-http/httplug": "^1.1|^2.0", | ||||||
|                 "php-http/message": "^1.5", |                 "php-http/message": "^1.5", | ||||||
|                 "psr/http-factory": "^1.0", |                 "psr/http-factory": "^1.0", | ||||||
|                 "psr/http-message-implementation": "^1.0", |                 "psr/http-factory-implementation": "^1.0", | ||||||
|                 "psr/log": "^1.0|^2.0|^3.0", |                 "psr/log": "^1.0|^2.0|^3.0", | ||||||
|                 "symfony/options-resolver": "^3.4.43|^4.4.30|^5.0.11|^6.0", |                 "symfony/options-resolver": "^3.4.43|^4.4.30|^5.0.11|^6.0", | ||||||
|                 "symfony/polyfill-php80": "^1.17" |                 "symfony/polyfill-php80": "^1.17" | ||||||
| @ -8384,6 +8394,7 @@ | |||||||
|             }, |             }, | ||||||
|             "require-dev": { |             "require-dev": { | ||||||
|                 "friendsofphp/php-cs-fixer": "^2.19|3.4.*", |                 "friendsofphp/php-cs-fixer": "^2.19|3.4.*", | ||||||
|  |                 "guzzlehttp/psr7": "^1.8.4|^2.1.1", | ||||||
|                 "http-interop/http-factory-guzzle": "^1.0", |                 "http-interop/http-factory-guzzle": "^1.0", | ||||||
|                 "monolog/monolog": "^1.6|^2.0|^3.0", |                 "monolog/monolog": "^1.6|^2.0|^3.0", | ||||||
|                 "nikic/php-parser": "^4.10.3", |                 "nikic/php-parser": "^4.10.3", | ||||||
| @ -8436,7 +8447,7 @@ | |||||||
|             ], |             ], | ||||||
|             "support": { |             "support": { | ||||||
|                 "issues": "https://github.com/getsentry/sentry-php/issues", |                 "issues": "https://github.com/getsentry/sentry-php/issues", | ||||||
|                 "source": "https://github.com/getsentry/sentry-php/tree/3.14.0" |                 "source": "https://github.com/getsentry/sentry-php/tree/3.17.0" | ||||||
|             }, |             }, | ||||||
|             "funding": [ |             "funding": [ | ||||||
|                 { |                 { | ||||||
| @ -8448,20 +8459,20 @@ | |||||||
|                     "type": "custom" |                     "type": "custom" | ||||||
|                 } |                 } | ||||||
|             ], |             ], | ||||||
|             "time": "2023-03-05T21:31:25+00:00" |             "time": "2023-03-26T21:54:06+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "sentry/sentry-laravel", |             "name": "sentry/sentry-laravel", | ||||||
|             "version": "3.2.0", |             "version": "3.3.2", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/getsentry/sentry-laravel.git", |                 "url": "https://github.com/getsentry/sentry-laravel.git", | ||||||
|                 "reference": "55ad9bd47766cec2d8978b8487c40e81a5a87d76" |                 "reference": "c502e8b9005990d03f5ec5cc852e98a27c26056d" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/getsentry/sentry-laravel/zipball/55ad9bd47766cec2d8978b8487c40e81a5a87d76", |                 "url": "https://api.github.com/repos/getsentry/sentry-laravel/zipball/c502e8b9005990d03f5ec5cc852e98a27c26056d", | ||||||
|                 "reference": "55ad9bd47766cec2d8978b8487c40e81a5a87d76", |                 "reference": "c502e8b9005990d03f5ec5cc852e98a27c26056d", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
| @ -8469,7 +8480,7 @@ | |||||||
|                 "nyholm/psr7": "^1.0", |                 "nyholm/psr7": "^1.0", | ||||||
|                 "php": "^7.2 | ^8.0", |                 "php": "^7.2 | ^8.0", | ||||||
|                 "sentry/sdk": "^3.3", |                 "sentry/sdk": "^3.3", | ||||||
|                 "sentry/sentry": "^3.12", |                 "sentry/sentry": "^3.16", | ||||||
|                 "symfony/psr-http-message-bridge": "^1.0 | ^2.0" |                 "symfony/psr-http-message-bridge": "^1.0 | ^2.0" | ||||||
|             }, |             }, | ||||||
|             "conflict": { |             "conflict": { | ||||||
| @ -8507,7 +8518,7 @@ | |||||||
|             }, |             }, | ||||||
|             "notification-url": "https://packagist.org/downloads/", |             "notification-url": "https://packagist.org/downloads/", | ||||||
|             "license": [ |             "license": [ | ||||||
|                 "Apache-2.0" |                 "MIT" | ||||||
|             ], |             ], | ||||||
|             "authors": [ |             "authors": [ | ||||||
|                 { |                 { | ||||||
| @ -8529,7 +8540,7 @@ | |||||||
|             ], |             ], | ||||||
|             "support": { |             "support": { | ||||||
|                 "issues": "https://github.com/getsentry/sentry-laravel/issues", |                 "issues": "https://github.com/getsentry/sentry-laravel/issues", | ||||||
|                 "source": "https://github.com/getsentry/sentry-laravel/tree/3.2.0" |                 "source": "https://github.com/getsentry/sentry-laravel/tree/3.3.2" | ||||||
|             }, |             }, | ||||||
|             "funding": [ |             "funding": [ | ||||||
|                 { |                 { | ||||||
| @ -8541,7 +8552,7 @@ | |||||||
|                     "type": "custom" |                     "type": "custom" | ||||||
|                 } |                 } | ||||||
|             ], |             ], | ||||||
|             "time": "2023-02-01T10:56:52+00:00" |             "time": "2023-03-22T10:51:03+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "setasign/fpdf", |             "name": "setasign/fpdf", | ||||||
| @ -8663,16 +8674,16 @@ | |||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "socialiteproviders/apple", |             "name": "socialiteproviders/apple", | ||||||
|             "version": "5.3.1", |             "version": "5.4.0", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/SocialiteProviders/Apple.git", |                 "url": "https://github.com/SocialiteProviders/Apple.git", | ||||||
|                 "reference": "f3b9a435e302b1a3d9a50285e934a6be66b2754a" |                 "reference": "34ea564e4e409ad0ff74f5c97cfd3209499842ca" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/SocialiteProviders/Apple/zipball/f3b9a435e302b1a3d9a50285e934a6be66b2754a", |                 "url": "https://api.github.com/repos/SocialiteProviders/Apple/zipball/34ea564e4e409ad0ff74f5c97cfd3209499842ca", | ||||||
|                 "reference": "f3b9a435e302b1a3d9a50285e934a6be66b2754a", |                 "reference": "34ea564e4e409ad0ff74f5c97cfd3209499842ca", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
| @ -8730,7 +8741,7 @@ | |||||||
|                 "issues": "https://github.com/socialiteproviders/providers/issues", |                 "issues": "https://github.com/socialiteproviders/providers/issues", | ||||||
|                 "source": "https://github.com/socialiteproviders/providers" |                 "source": "https://github.com/socialiteproviders/providers" | ||||||
|             }, |             }, | ||||||
|             "time": "2023-02-11T04:00:50+00:00" |             "time": "2023-03-21T08:51:14+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "socialiteproviders/manager", |             "name": "socialiteproviders/manager", | ||||||
| @ -14166,16 +14177,16 @@ | |||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "friendsofphp/php-cs-fixer", |             "name": "friendsofphp/php-cs-fixer", | ||||||
|             "version": "v3.15.0", |             "version": "v3.15.1", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/PHP-CS-Fixer/PHP-CS-Fixer.git", |                 "url": "https://github.com/PHP-CS-Fixer/PHP-CS-Fixer.git", | ||||||
|                 "reference": "7306744c63e9cc1337894252b4eec4920c38b053" |                 "reference": "d48755372a113bddb99f749e34805d83f3acfe04" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/PHP-CS-Fixer/PHP-CS-Fixer/zipball/7306744c63e9cc1337894252b4eec4920c38b053", |                 "url": "https://api.github.com/repos/PHP-CS-Fixer/PHP-CS-Fixer/zipball/d48755372a113bddb99f749e34805d83f3acfe04", | ||||||
|                 "reference": "7306744c63e9cc1337894252b4eec4920c38b053", |                 "reference": "d48755372a113bddb99f749e34805d83f3acfe04", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
| @ -14250,7 +14261,7 @@ | |||||||
|             ], |             ], | ||||||
|             "support": { |             "support": { | ||||||
|                 "issues": "https://github.com/PHP-CS-Fixer/PHP-CS-Fixer/issues", |                 "issues": "https://github.com/PHP-CS-Fixer/PHP-CS-Fixer/issues", | ||||||
|                 "source": "https://github.com/PHP-CS-Fixer/PHP-CS-Fixer/tree/v3.15.0" |                 "source": "https://github.com/PHP-CS-Fixer/PHP-CS-Fixer/tree/v3.15.1" | ||||||
|             }, |             }, | ||||||
|             "funding": [ |             "funding": [ | ||||||
|                 { |                 { | ||||||
| @ -14258,7 +14269,7 @@ | |||||||
|                     "type": "github" |                     "type": "github" | ||||||
|                 } |                 } | ||||||
|             ], |             ], | ||||||
|             "time": "2023-03-12T22:44:55+00:00" |             "time": "2023-03-13T23:26:30+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "hamcrest/hamcrest-php", |             "name": "hamcrest/hamcrest-php", | ||||||
| @ -15121,24 +15132,27 @@ | |||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "phpdocumentor/type-resolver", |             "name": "phpdocumentor/type-resolver", | ||||||
|             "version": "1.6.2", |             "version": "1.7.1", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/phpDocumentor/TypeResolver.git", |                 "url": "https://github.com/phpDocumentor/TypeResolver.git", | ||||||
|                 "reference": "48f445a408c131e38cab1c235aa6d2bb7a0bb20d" |                 "reference": "dfc078e8af9c99210337325ff5aa152872c98714" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/phpDocumentor/TypeResolver/zipball/48f445a408c131e38cab1c235aa6d2bb7a0bb20d", |                 "url": "https://api.github.com/repos/phpDocumentor/TypeResolver/zipball/dfc078e8af9c99210337325ff5aa152872c98714", | ||||||
|                 "reference": "48f445a408c131e38cab1c235aa6d2bb7a0bb20d", |                 "reference": "dfc078e8af9c99210337325ff5aa152872c98714", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
|  |                 "doctrine/deprecations": "^1.0", | ||||||
|                 "php": "^7.4 || ^8.0", |                 "php": "^7.4 || ^8.0", | ||||||
|                 "phpdocumentor/reflection-common": "^2.0" |                 "phpdocumentor/reflection-common": "^2.0", | ||||||
|  |                 "phpstan/phpdoc-parser": "^1.13" | ||||||
|             }, |             }, | ||||||
|             "require-dev": { |             "require-dev": { | ||||||
|                 "ext-tokenizer": "*", |                 "ext-tokenizer": "*", | ||||||
|  |                 "phpbench/phpbench": "^1.2", | ||||||
|                 "phpstan/extension-installer": "^1.1", |                 "phpstan/extension-installer": "^1.1", | ||||||
|                 "phpstan/phpstan": "^1.8", |                 "phpstan/phpstan": "^1.8", | ||||||
|                 "phpstan/phpstan-phpunit": "^1.1", |                 "phpstan/phpstan-phpunit": "^1.1", | ||||||
| @ -15170,22 +15184,67 @@ | |||||||
|             "description": "A PSR-5 based resolver of Class names, Types and Structural Element Names", |             "description": "A PSR-5 based resolver of Class names, Types and Structural Element Names", | ||||||
|             "support": { |             "support": { | ||||||
|                 "issues": "https://github.com/phpDocumentor/TypeResolver/issues", |                 "issues": "https://github.com/phpDocumentor/TypeResolver/issues", | ||||||
|                 "source": "https://github.com/phpDocumentor/TypeResolver/tree/1.6.2" |                 "source": "https://github.com/phpDocumentor/TypeResolver/tree/1.7.1" | ||||||
|             }, |             }, | ||||||
|             "time": "2022-10-14T12:47:21+00:00" |             "time": "2023-03-27T19:02:04+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "phpstan/phpstan", |             "name": "phpstan/phpdoc-parser", | ||||||
|             "version": "1.10.6", |             "version": "1.16.1", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/phpstan/phpstan.git", |                 "url": "https://github.com/phpstan/phpdoc-parser.git", | ||||||
|                 "reference": "50d089a3e0904b0fe7e2cf2d4fd37d427d64235a" |                 "reference": "e27e92d939e2e3636f0a1f0afaba59692c0bf571" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/phpstan/phpstan/zipball/50d089a3e0904b0fe7e2cf2d4fd37d427d64235a", |                 "url": "https://api.github.com/repos/phpstan/phpdoc-parser/zipball/e27e92d939e2e3636f0a1f0afaba59692c0bf571", | ||||||
|                 "reference": "50d089a3e0904b0fe7e2cf2d4fd37d427d64235a", |                 "reference": "e27e92d939e2e3636f0a1f0afaba59692c0bf571", | ||||||
|  |                 "shasum": "" | ||||||
|  |             }, | ||||||
|  |             "require": { | ||||||
|  |                 "php": "^7.2 || ^8.0" | ||||||
|  |             }, | ||||||
|  |             "require-dev": { | ||||||
|  |                 "php-parallel-lint/php-parallel-lint": "^1.2", | ||||||
|  |                 "phpstan/extension-installer": "^1.0", | ||||||
|  |                 "phpstan/phpstan": "^1.5", | ||||||
|  |                 "phpstan/phpstan-phpunit": "^1.1", | ||||||
|  |                 "phpstan/phpstan-strict-rules": "^1.0", | ||||||
|  |                 "phpunit/phpunit": "^9.5", | ||||||
|  |                 "symfony/process": "^5.2" | ||||||
|  |             }, | ||||||
|  |             "type": "library", | ||||||
|  |             "autoload": { | ||||||
|  |                 "psr-4": { | ||||||
|  |                     "PHPStan\\PhpDocParser\\": [ | ||||||
|  |                         "src/" | ||||||
|  |                     ] | ||||||
|  |                 } | ||||||
|  |             }, | ||||||
|  |             "notification-url": "https://packagist.org/downloads/", | ||||||
|  |             "license": [ | ||||||
|  |                 "MIT" | ||||||
|  |             ], | ||||||
|  |             "description": "PHPDoc parser with support for nullable, intersection and generic types", | ||||||
|  |             "support": { | ||||||
|  |                 "issues": "https://github.com/phpstan/phpdoc-parser/issues", | ||||||
|  |                 "source": "https://github.com/phpstan/phpdoc-parser/tree/1.16.1" | ||||||
|  |             }, | ||||||
|  |             "time": "2023-02-07T18:11:17+00:00" | ||||||
|  |         }, | ||||||
|  |         { | ||||||
|  |             "name": "phpstan/phpstan", | ||||||
|  |             "version": "1.10.9", | ||||||
|  |             "source": { | ||||||
|  |                 "type": "git", | ||||||
|  |                 "url": "https://github.com/phpstan/phpstan.git", | ||||||
|  |                 "reference": "9b13dafe3d66693d20fe5729c3dde1d31bb64703" | ||||||
|  |             }, | ||||||
|  |             "dist": { | ||||||
|  |                 "type": "zip", | ||||||
|  |                 "url": "https://api.github.com/repos/phpstan/phpstan/zipball/9b13dafe3d66693d20fe5729c3dde1d31bb64703", | ||||||
|  |                 "reference": "9b13dafe3d66693d20fe5729c3dde1d31bb64703", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
| @ -15214,8 +15273,11 @@ | |||||||
|                 "static analysis" |                 "static analysis" | ||||||
|             ], |             ], | ||||||
|             "support": { |             "support": { | ||||||
|  |                 "docs": "https://phpstan.org/user-guide/getting-started", | ||||||
|  |                 "forum": "https://github.com/phpstan/phpstan/discussions", | ||||||
|                 "issues": "https://github.com/phpstan/phpstan/issues", |                 "issues": "https://github.com/phpstan/phpstan/issues", | ||||||
|                 "source": "https://github.com/phpstan/phpstan/tree/1.10.6" |                 "security": "https://github.com/phpstan/phpstan/security/policy", | ||||||
|  |                 "source": "https://github.com/phpstan/phpstan-src" | ||||||
|             }, |             }, | ||||||
|             "funding": [ |             "funding": [ | ||||||
|                 { |                 { | ||||||
| @ -15231,7 +15293,7 @@ | |||||||
|                     "type": "tidelift" |                     "type": "tidelift" | ||||||
|                 } |                 } | ||||||
|             ], |             ], | ||||||
|             "time": "2023-03-09T16:55:12+00:00" |             "time": "2023-03-30T08:58:01+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "phpunit/php-code-coverage", |             "name": "phpunit/php-code-coverage", | ||||||
| @ -15553,16 +15615,16 @@ | |||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "phpunit/phpunit", |             "name": "phpunit/phpunit", | ||||||
|             "version": "9.6.5", |             "version": "9.6.6", | ||||||
|             "source": { |             "source": { | ||||||
|                 "type": "git", |                 "type": "git", | ||||||
|                 "url": "https://github.com/sebastianbergmann/phpunit.git", |                 "url": "https://github.com/sebastianbergmann/phpunit.git", | ||||||
|                 "reference": "86e761949019ae83f49240b2f2123fb5ab3b2fc5" |                 "reference": "b65d59a059d3004a040c16a82e07bbdf6cfdd115" | ||||||
|             }, |             }, | ||||||
|             "dist": { |             "dist": { | ||||||
|                 "type": "zip", |                 "type": "zip", | ||||||
|                 "url": "https://api.github.com/repos/sebastianbergmann/phpunit/zipball/86e761949019ae83f49240b2f2123fb5ab3b2fc5", |                 "url": "https://api.github.com/repos/sebastianbergmann/phpunit/zipball/b65d59a059d3004a040c16a82e07bbdf6cfdd115", | ||||||
|                 "reference": "86e761949019ae83f49240b2f2123fb5ab3b2fc5", |                 "reference": "b65d59a059d3004a040c16a82e07bbdf6cfdd115", | ||||||
|                 "shasum": "" |                 "shasum": "" | ||||||
|             }, |             }, | ||||||
|             "require": { |             "require": { | ||||||
| @ -15635,7 +15697,8 @@ | |||||||
|             ], |             ], | ||||||
|             "support": { |             "support": { | ||||||
|                 "issues": "https://github.com/sebastianbergmann/phpunit/issues", |                 "issues": "https://github.com/sebastianbergmann/phpunit/issues", | ||||||
|                 "source": "https://github.com/sebastianbergmann/phpunit/tree/9.6.5" |                 "security": "https://github.com/sebastianbergmann/phpunit/security/policy", | ||||||
|  |                 "source": "https://github.com/sebastianbergmann/phpunit/tree/9.6.6" | ||||||
|             }, |             }, | ||||||
|             "funding": [ |             "funding": [ | ||||||
|                 { |                 { | ||||||
| @ -15651,7 +15714,7 @@ | |||||||
|                     "type": "tidelift" |                     "type": "tidelift" | ||||||
|                 } |                 } | ||||||
|             ], |             ], | ||||||
|             "time": "2023-03-09T06:34:10+00:00" |             "time": "2023-03-27T11:43:46+00:00" | ||||||
|         }, |         }, | ||||||
|         { |         { | ||||||
|             "name": "sebastian/cli-parser", |             "name": "sebastian/cli-parser", | ||||||
|  | |||||||
| @ -14,8 +14,8 @@ return [ | |||||||
|     'require_https' => env('REQUIRE_HTTPS', true), |     'require_https' => env('REQUIRE_HTTPS', true), | ||||||
|     'app_url' => rtrim(env('APP_URL', ''), '/'), |     'app_url' => rtrim(env('APP_URL', ''), '/'), | ||||||
|     'app_domain' => env('APP_DOMAIN', 'invoicing.co'), |     'app_domain' => env('APP_DOMAIN', 'invoicing.co'), | ||||||
|     'app_version' => '5.5.99', |     'app_version' => '5.5.102', | ||||||
|     'app_tag' => '5.5.99', |     'app_tag' => '5.5.102', | ||||||
|     'minimum_client_version' => '5.0.16', |     'minimum_client_version' => '5.0.16', | ||||||
|     'terms_version' => '1.0.1', |     'terms_version' => '1.0.1', | ||||||
|     'api_secret' => env('API_SECRET', ''), |     'api_secret' => env('API_SECRET', ''), | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'بوابة الدفع', |     'payment_gateway' => 'بوابة الدفع', | ||||||
|     'gateway_id' => 'البوابة', |     'gateway_id' => 'البوابة', | ||||||
|     'email_notifications' => 'اشعارات البريد الإلكتروني', |     'email_notifications' => 'اشعارات البريد الإلكتروني', | ||||||
|     'email_sent' => 'ارسل لي بريدا عندما يتم <b>ارسال الفاتورة</b>', |  | ||||||
|     'email_viewed' => 'راسل لي بريدا عندما يتم  <b>عرض الفاتورة</b>', |     'email_viewed' => 'راسل لي بريدا عندما يتم  <b>عرض الفاتورة</b>', | ||||||
|     'email_paid' => 'ارسل لي بريدا عندما يتم  <b>دفع الفاتورة</b>', |     'email_paid' => 'ارسل لي بريدا عندما يتم  <b>دفع الفاتورة</b>', | ||||||
|     'site_updates' => 'تحديثات الموقع', |     'site_updates' => 'تحديثات الموقع', | ||||||
| @ -909,8 +908,6 @@ $LANG = array( | |||||||
|     'expense' => 'Expense', |     'expense' => 'Expense', | ||||||
|     'expenses' => 'Expenses', |     'expenses' => 'Expenses', | ||||||
|     'new_expense' => 'Enter Expense', |     'new_expense' => 'Enter Expense', | ||||||
|     'enter_expense' => 'Enter Expense', |  | ||||||
|     'vendors' => 'Vendors', |  | ||||||
|     'new_vendor' => 'New Vendor', |     'new_vendor' => 'New Vendor', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Vendor', |     'vendor' => 'Vendor', | ||||||
| @ -1193,7 +1190,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1205,7 +1202,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live Preview', |  | ||||||
|     'page_size' => 'Page Size', |     'page_size' => 'Page Size', | ||||||
|     'live_preview_disabled' => 'Live preview has been disabled to support selected font', |     'live_preview_disabled' => 'Live preview has been disabled to support selected font', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1462,40 +1458,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Accounting & Legal', |  | ||||||
|     'industry_Advertising' => 'Advertising', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automotive', |  | ||||||
|     'industry_Banking & Finance' => 'Banking & Finance', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnology', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Business Services', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Chemicals', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers & Hightech', |  | ||||||
|     'industry_Defense' => 'Defense', |  | ||||||
|     'industry_Energy' => 'Energy', |  | ||||||
|     'industry_Entertainment' => 'Entertainment', |  | ||||||
|     'industry_Government' => 'Government', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Insurance', |  | ||||||
|     'industry_Manufacturing' => 'Manufacturing', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceuticals', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professional Services & Consulting', |  | ||||||
|     'industry_Real Estate' => 'Real Estate', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Retail & Wholesale', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transportation', |  | ||||||
|     'industry_Travel & Luxury' => 'Travel & Luxury', |  | ||||||
|     'industry_Other' => 'Other', |  | ||||||
|     'industry_Photography' => 'Photography', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2254,7 +2216,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Invalid file type', |     'invalid_file' => 'Invalid file type', | ||||||
|     'add_documents_to_invoice' => 'أضف مستندات إلى الفاتوره', |     'add_documents_to_invoice' => 'أضف مستندات إلى الفاتوره', | ||||||
|     'mark_expense_paid' => 'Mark paid', |     'mark_expense_paid' => 'Mark paid', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation code', |     'wrong_confirmation' => 'Incorrect confirmation code', | ||||||
|     'oauth_taken' => 'The account is already registered', |     'oauth_taken' => 'The account is already registered', | ||||||
| @ -2457,6 +2419,7 @@ $LANG = array( | |||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'بيزو كوبي |     'currency_cuban_peso' => 'بيزو كوبي | ||||||
|  ', |  ', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4250,7 +4213,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'التعرف على تسجيل دخول أُستخدم فيه حسابك', |     'new_login_detected' => 'التعرف على تسجيل دخول أُستخدم فيه حسابك', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'تفاصيل الاتصال', |     'contact_details' => 'تفاصيل الاتصال', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4319,6 +4281,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4372,7 +4337,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4563,7 +4527,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'The following client :client was emailed Invoice :invoice for :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4873,7 +4836,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4928,7 +4890,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5032,6 +4994,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -175,7 +175,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Платежни посредници', |     'payment_gateway' => 'Платежни посредници', | ||||||
|     'gateway_id' => 'Посредник', |     'gateway_id' => 'Посредник', | ||||||
|     'email_notifications' => 'Email известия', |     'email_notifications' => 'Email известия', | ||||||
|     'email_sent' => 'Прати ми email когато фактурата е <b>изпратена</b>', |  | ||||||
|     'email_viewed' => 'Прати ми email когато фактурата е <b>видяна</b>', |     'email_viewed' => 'Прати ми email когато фактурата е <b>видяна</b>', | ||||||
|     'email_paid' => 'Прати ми email когато фактурата е <b>платена</b>', |     'email_paid' => 'Прати ми email когато фактурата е <b>платена</b>', | ||||||
|     'site_updates' => 'Обновления на сайта', |     'site_updates' => 'Обновления на сайта', | ||||||
| @ -908,8 +907,6 @@ $LANG = array( | |||||||
|     'expense' => 'Разход', |     'expense' => 'Разход', | ||||||
|     'expenses' => 'Разходи', |     'expenses' => 'Разходи', | ||||||
|     'new_expense' => 'Въведете разход', |     'new_expense' => 'Въведете разход', | ||||||
|     'enter_expense' => 'Въведете разход', |  | ||||||
|     'vendors' => 'Доставчици', |  | ||||||
|     'new_vendor' => 'Нов доставчик', |     'new_vendor' => 'Нов доставчик', | ||||||
|     'payment_terms_net' => 'Нетно', |     'payment_terms_net' => 'Нетно', | ||||||
|     'vendor' => 'Доставчик', |     'vendor' => 'Доставчик', | ||||||
| @ -1192,7 +1189,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Планът е стартиран', |     'plan_started' => 'Планът е стартиран', | ||||||
|     'plan_expires' => 'Планът изтича', |     'plan_expires' => 'Планът изтича', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Включване за една година в план Invoice Ninja Pro.', |     'pro_plan_year_description' => 'Включване за една година в план Invoice Ninja Pro.', | ||||||
|     'pro_plan_month_description' => 'Включване за един месец в план Invoice Ninja Pro.', |     'pro_plan_month_description' => 'Включване за един месец в план Invoice Ninja Pro.', | ||||||
| @ -1204,7 +1201,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Ще премине към месечно на :date', |     'plan_pending_monthly' => 'Ще премине към месечно на :date', | ||||||
|     'plan_refunded' => 'Издадена е сума за възстановяване.', |     'plan_refunded' => 'Издадена е сума за възстановяване.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Преглед', |  | ||||||
|     'page_size' => 'Размер на страницата', |     'page_size' => 'Размер на страницата', | ||||||
|     'live_preview_disabled' => 'Прекледът на документа на живо е изключен заради избрания шрифт', |     'live_preview_disabled' => 'Прекледът на документа на живо е изключен заради избрания шрифт', | ||||||
|     'invoice_number_padding' => 'Отстояние', |     'invoice_number_padding' => 'Отстояние', | ||||||
| @ -1461,40 +1457,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Счетоводство и правни услуги', |  | ||||||
|     'industry_Advertising' => 'Реклама', |  | ||||||
|     'industry_Aerospace' => 'Авиация', |  | ||||||
|     'industry_Agriculture' => 'Селско стопанство', |  | ||||||
|     'industry_Automotive' => 'Автомобилна индустрия', |  | ||||||
|     'industry_Banking & Finance' => 'Банки и финанси', |  | ||||||
|     'industry_Biotechnology' => 'Биотехнологии', |  | ||||||
|     'industry_Broadcasting' => 'Телевизия и радио', |  | ||||||
|     'industry_Business Services' => 'Бизнес услуги', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Суровини и химикали', |  | ||||||
|     'industry_Communications' => 'Комуникации', |  | ||||||
|     'industry_Computers & Hightech' => 'Информационни технологии', |  | ||||||
|     'industry_Defense' => 'Отбрана', |  | ||||||
|     'industry_Energy' => 'Енергетика', |  | ||||||
|     'industry_Entertainment' => 'Развлекателна индустрия', |  | ||||||
|     'industry_Government' => 'Правителствен сектор', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Здравеопазване', |  | ||||||
|     'industry_Insurance' => 'Застраховане', |  | ||||||
|     'industry_Manufacturing' => 'Производство', |  | ||||||
|     'industry_Marketing' => 'Маркетинг', |  | ||||||
|     'industry_Media' => 'Медии', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'НПО', |  | ||||||
|     'industry_Pharmaceuticals' => 'Фармацевтика', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Професионални услуги и консултации', |  | ||||||
|     'industry_Real Estate' => 'Недвижими имоти', |  | ||||||
|     'industry_Restaurant & Catering' => 'Ресторантьорство', |  | ||||||
|     'industry_Retail & Wholesale' => 'Продажби на дребно и едро', |  | ||||||
|     'industry_Sports' => 'Спорт', |  | ||||||
|     'industry_Transportation' => 'Транспорт', |  | ||||||
|     'industry_Travel & Luxury' => 'Пътувания и луксозни стоки', |  | ||||||
|     'industry_Other' => 'Друго', |  | ||||||
|     'industry_Photography' => 'Фотография', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2252,7 +2214,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Невалиден тип файл', |     'invalid_file' => 'Невалиден тип файл', | ||||||
|     'add_documents_to_invoice' => 'Добави документи към фактурата', |     'add_documents_to_invoice' => 'Добави документи към фактурата', | ||||||
|     'mark_expense_paid' => 'Маркирай като платено', |     'mark_expense_paid' => 'Маркирай като платено', | ||||||
|     'white_label_license_error' => 'Грешка при валидиране на лиценза. Проверете storage/logs/laravel-error.log за повече подробности.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Цена на плана', |     'plan_price' => 'Цена на плана', | ||||||
|     'wrong_confirmation' => 'Некоректен код за потвърждение', |     'wrong_confirmation' => 'Некоректен код за потвърждение', | ||||||
|     'oauth_taken' => 'Този профил вече съществува', |     'oauth_taken' => 'Този профил вече съществува', | ||||||
| @ -2451,6 +2413,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Вануату Вату', |     'currency_vanuatu_vatu' => 'Вануату Вату', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Кубински песо', |     'currency_cuban_peso' => 'Кубински песо', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'Надяваме се, че използвате приложението с удоволствие.<br/>Ще се радваме, ако решите да :link!', |     'review_app_help' => 'Надяваме се, че използвате приложението с удоволствие.<br/>Ще се радваме, ако решите да :link!', | ||||||
|     'writing_a_review' => 'напишете оценка', |     'writing_a_review' => 'напишете оценка', | ||||||
| @ -3923,7 +3886,7 @@ $LANG = array( | |||||||
|      'email_already_register' => 'This email is already linked to an account', |      'email_already_register' => 'This email is already linked to an account', | ||||||
|      'locations' => 'Locations', |      'locations' => 'Locations', | ||||||
|      'freq_indefinitely' => 'Indefinitely', |      'freq_indefinitely' => 'Indefinitely', | ||||||
|      'cycles_remaining' => 'Cycles remaining', |      'cycles_remaining' => 'Оставащи периоди', | ||||||
|      'i_understand_delete' => 'I understand, delete', |      'i_understand_delete' => 'I understand, delete', | ||||||
|      'download_files' => 'Download Files', |      'download_files' => 'Download Files', | ||||||
|      'download_timeframe' => 'Use this link to download your files, the link will expire in 1 hour.', |      'download_timeframe' => 'Use this link to download your files, the link will expire in 1 hour.', | ||||||
| @ -3950,8 +3913,8 @@ $LANG = array( | |||||||
|      'list_of_invoices' => 'List of invoices', |      'list_of_invoices' => 'List of invoices', | ||||||
|      'with_selected' => 'With selected', |      'with_selected' => 'With selected', | ||||||
|      'invoice_still_unpaid' => 'This invoice is still not paid. Click the button to complete the payment', |      'invoice_still_unpaid' => 'This invoice is still not paid. Click the button to complete the payment', | ||||||
|      'list_of_recurring_invoices' => 'List of recurring invoices', |      'list_of_recurring_invoices' => 'Списък периодични фактури', | ||||||
|      'details_of_recurring_invoice' => 'Here are some details about recurring invoice', |      'details_of_recurring_invoice' => 'Ето някои подробности за повтарящата се фактура', | ||||||
|      'cancellation' => 'Cancellation', |      'cancellation' => 'Cancellation', | ||||||
|      'about_cancellation' => 'In case you want to stop the recurring invoice, please click to request the cancellation.', |      'about_cancellation' => 'In case you want to stop the recurring invoice, please click to request the cancellation.', | ||||||
|      'cancellation_warning' => 'Warning! You are requesting a cancellation of this service. Your service may be cancelled with no further notification to you.', |      'cancellation_warning' => 'Warning! You are requesting a cancellation of this service. Your service may be cancelled with no further notification to you.', | ||||||
| @ -3978,13 +3941,13 @@ $LANG = array( | |||||||
|      'open_in_new_tab' => 'Open in new tab', |      'open_in_new_tab' => 'Open in new tab', | ||||||
|      'complete_your_payment' => 'Complete payment', |      'complete_your_payment' => 'Complete payment', | ||||||
|      'authorize_for_future_use' => 'Authorize payment method for future use', |      'authorize_for_future_use' => 'Authorize payment method for future use', | ||||||
|      'page' => 'Page', |      'page' => 'Страница', | ||||||
|      'per_page' => 'Per page', |      'per_page' => 'На страница', | ||||||
|      'of' => 'Of', |      'of' => 'Of', | ||||||
|      'view_credit' => 'View Credit', |      'view_credit' => 'View Credit', | ||||||
|      'to_view_entity_password' => 'To view the :entity you need to enter password.', |      'to_view_entity_password' => 'To view the :entity you need to enter password.', | ||||||
|      'showing_x_of' => 'Showing :first to :last out of :total results', |      'showing_x_of' => 'Показване от :start до :end от :total записа', | ||||||
|      'no_results' => 'No results found.', |      'no_results' => 'Няма намерени записи', | ||||||
|      'payment_failed_subject' => 'Payment failed for Client :client', |      'payment_failed_subject' => 'Payment failed for Client :client', | ||||||
|      'payment_failed_body' => 'A payment made by client :client failed with message :message', |      'payment_failed_body' => 'A payment made by client :client failed with message :message', | ||||||
|      'register' => 'Register', |      'register' => 'Register', | ||||||
| @ -4230,7 +4193,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4299,6 +4261,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4352,7 +4317,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4387,8 +4351,8 @@ $LANG = array( | |||||||
|     'enable_markdown' => 'Enable Markdown', |     'enable_markdown' => 'Enable Markdown', | ||||||
|     'enable_markdown_help' => 'Convert markdown to HTML on the PDF', |     'enable_markdown_help' => 'Convert markdown to HTML on the PDF', | ||||||
|     'add_second_contact' => 'Add Second Contact', |     'add_second_contact' => 'Add Second Contact', | ||||||
|     'previous_page' => 'Previous Page', |     'previous_page' => 'Предишна страница', | ||||||
|     'next_page' => 'Next Page', |     'next_page' => 'Следваща страница', | ||||||
|     'export_colors' => 'Export Colors', |     'export_colors' => 'Export Colors', | ||||||
|     'import_colors' => 'Import Colors', |     'import_colors' => 'Import Colors', | ||||||
|     'clear_all' => 'Clear All', |     'clear_all' => 'Clear All', | ||||||
| @ -4543,7 +4507,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Напомняне за фактура :number за :balance', |     'reminder_message' => 'Напомняне за фактура :number за :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Фактура :invoice беше изпратена на :client на стойност :amount', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4566,7 +4529,7 @@ $LANG = array( | |||||||
|     'client_website' => 'Client Website', |     'client_website' => 'Client Website', | ||||||
|     'invalid_time' => 'Invalid Time', |     'invalid_time' => 'Invalid Time', | ||||||
|     'signed_in_as' => 'Signed in as', |     'signed_in_as' => 'Signed in as', | ||||||
|     'total_results' => 'Total results', |     'total_results' => 'Общ брой резултати', | ||||||
|     'restore_company_gateway' => 'Restore gateway', |     'restore_company_gateway' => 'Restore gateway', | ||||||
|     'archive_company_gateway' => 'Archive gateway', |     'archive_company_gateway' => 'Archive gateway', | ||||||
|     'delete_company_gateway' => 'Delete gateway', |     'delete_company_gateway' => 'Delete gateway', | ||||||
| @ -4853,7 +4816,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4908,7 +4870,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5012,6 +4974,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -169,7 +169,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Passarel·la de pagament', |     'payment_gateway' => 'Passarel·la de pagament', | ||||||
|     'gateway_id' => 'Passarel·la', |     'gateway_id' => 'Passarel·la', | ||||||
|     'email_notifications' => 'Notificacions per correu electrònic', |     'email_notifications' => 'Notificacions per correu electrònic', | ||||||
|     'email_sent' => 'Envia\'m un correu electrònic quan la factura estigui <b>enviada </b>', |  | ||||||
|     'email_viewed' => 'Avisa\'m per correu quan una factura es <b>visualitze</b>', |     'email_viewed' => 'Avisa\'m per correu quan una factura es <b>visualitze</b>', | ||||||
|     'email_paid' => 'Avisa\'m per correu una una factura es <b>pague</b>', |     'email_paid' => 'Avisa\'m per correu una una factura es <b>pague</b>', | ||||||
|     'site_updates' => 'Actualitzacions del lloc', |     'site_updates' => 'Actualitzacions del lloc', | ||||||
| @ -902,8 +901,6 @@ $LANG = array( | |||||||
|     'expense' => 'Expense', |     'expense' => 'Expense', | ||||||
|     'expenses' => 'Expenses', |     'expenses' => 'Expenses', | ||||||
|     'new_expense' => 'Enter Expense', |     'new_expense' => 'Enter Expense', | ||||||
|     'enter_expense' => 'Enter Expense', |  | ||||||
|     'vendors' => 'Vendors', |  | ||||||
|     'new_vendor' => 'New Vendor', |     'new_vendor' => 'New Vendor', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Vendor', |     'vendor' => 'Vendor', | ||||||
| @ -1186,7 +1183,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1198,7 +1195,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live Preview', |  | ||||||
|     'page_size' => 'Page Size', |     'page_size' => 'Page Size', | ||||||
|     'live_preview_disabled' => 'Live preview has been disabled to support selected font', |     'live_preview_disabled' => 'Live preview has been disabled to support selected font', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1455,40 +1451,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Accounting & Legal', |  | ||||||
|     'industry_Advertising' => 'Advertising', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automotive', |  | ||||||
|     'industry_Banking & Finance' => 'Banking & Finance', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnology', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Business Services', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Chemicals', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers & Hightech', |  | ||||||
|     'industry_Defense' => 'Defense', |  | ||||||
|     'industry_Energy' => 'Energy', |  | ||||||
|     'industry_Entertainment' => 'Entertainment', |  | ||||||
|     'industry_Government' => 'Government', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Insurance', |  | ||||||
|     'industry_Manufacturing' => 'Manufacturing', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceuticals', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professional Services & Consulting', |  | ||||||
|     'industry_Real Estate' => 'Real Estate', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Retail & Wholesale', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transportation', |  | ||||||
|     'industry_Travel & Luxury' => 'Travel & Luxury', |  | ||||||
|     'industry_Other' => 'Other', |  | ||||||
|     'industry_Photography' => 'Photography', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2246,7 +2208,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Invalid file type', |     'invalid_file' => 'Invalid file type', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Mark paid', |     'mark_expense_paid' => 'Mark paid', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation code', |     'wrong_confirmation' => 'Incorrect confirmation code', | ||||||
|     'oauth_taken' => 'The account is already registered', |     'oauth_taken' => 'The account is already registered', | ||||||
| @ -2445,6 +2407,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'escriu una ressenya', |     'writing_a_review' => 'escriu una ressenya', | ||||||
| @ -4224,7 +4187,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4293,6 +4255,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4346,7 +4311,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4537,7 +4501,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'The following client :client was emailed Invoice :invoice for :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4847,7 +4810,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4902,7 +4864,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5006,6 +4968,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Platební brána', |     'payment_gateway' => 'Platební brána', | ||||||
|     'gateway_id' => 'Brána', |     'gateway_id' => 'Brána', | ||||||
|     'email_notifications' => 'Emailové notifikace', |     'email_notifications' => 'Emailové notifikace', | ||||||
|     'email_sent' => 'Odeslat email, pokud je faktura <b>odeslaná</b>', |  | ||||||
|     'email_viewed' => 'Odeslat email, pokud je faktura <b>zobrazena</b>', |     'email_viewed' => 'Odeslat email, pokud je faktura <b>zobrazena</b>', | ||||||
|     'email_paid' => 'Odeslat email, pokud je faktura <b>zaplacena</b>', |     'email_paid' => 'Odeslat email, pokud je faktura <b>zaplacena</b>', | ||||||
|     'site_updates' => 'Změny na webu', |     'site_updates' => 'Změny na webu', | ||||||
| @ -906,8 +905,6 @@ $LANG = array( | |||||||
|     'expense' => 'Náklad', |     'expense' => 'Náklad', | ||||||
|     'expenses' => 'Náklady', |     'expenses' => 'Náklady', | ||||||
|     'new_expense' => 'Zadat náklad', |     'new_expense' => 'Zadat náklad', | ||||||
|     'enter_expense' => 'Zadat náklad', |  | ||||||
|     'vendors' => 'Dodavatelé', |  | ||||||
|     'new_vendor' => 'Nový dodavatel', |     'new_vendor' => 'Nový dodavatel', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Dodavatel', |     'vendor' => 'Dodavatel', | ||||||
| @ -1191,7 +1188,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1203,7 +1200,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Náhled', |  | ||||||
|     'page_size' => 'Page Size', |     'page_size' => 'Page Size', | ||||||
|     'live_preview_disabled' => 'Live preview has been disabled to support selected font', |     'live_preview_disabled' => 'Live preview has been disabled to support selected font', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1460,40 +1456,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Accounting & Legal', |  | ||||||
|     'industry_Advertising' => 'Advertising', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automotive', |  | ||||||
|     'industry_Banking & Finance' => 'Banking & Finance', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnology', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Business Services', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Chemicals', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers & Hightech', |  | ||||||
|     'industry_Defense' => 'Defense', |  | ||||||
|     'industry_Energy' => 'Energy', |  | ||||||
|     'industry_Entertainment' => 'Entertainment', |  | ||||||
|     'industry_Government' => 'Government', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Insurance', |  | ||||||
|     'industry_Manufacturing' => 'Manufacturing', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceuticals', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professional Services & Consulting', |  | ||||||
|     'industry_Real Estate' => 'Real Estate', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Retail & Wholesale', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transportation', |  | ||||||
|     'industry_Travel & Luxury' => 'Travel & Luxury', |  | ||||||
|     'industry_Other' => 'Other', |  | ||||||
|     'industry_Photography' => 'Photography', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2251,7 +2213,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Invalid file type', |     'invalid_file' => 'Invalid file type', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Mark paid', |     'mark_expense_paid' => 'Mark paid', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation code', |     'wrong_confirmation' => 'Incorrect confirmation code', | ||||||
|     'oauth_taken' => 'The account is already registered', |     'oauth_taken' => 'The account is already registered', | ||||||
| @ -2450,6 +2412,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4229,7 +4192,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'Nové přihlášení detekováno pro váš účet', |     'new_login_detected' => 'Nové přihlášení detekováno pro váš účet', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Detaily kontaktu', |     'contact_details' => 'Detaily kontaktu', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4298,6 +4260,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'Před pokračováním musíte přijmout podmínky.', |     'you_need_to_accept_the_terms_before_proceeding' => 'Před pokračováním musíte přijmout podmínky.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4351,7 +4316,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Má úkoly', |     'has_tasks' => 'Má úkoly', | ||||||
|     'registration' => 'Registrace', |     'registration' => 'Registrace', | ||||||
|     'unauthorized_stripe_warning' => 'Autorizujte Stripe pro přijmání online plateb.', |     'unauthorized_stripe_warning' => 'Autorizujte Stripe pro přijmání online plateb.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Aktualizovat všechny záznamy', |     'update_all_records' => 'Aktualizovat všechny záznamy', | ||||||
|     'set_default_company' => 'Nastavit výchozí firmu', |     'set_default_company' => 'Nastavit výchozí firmu', | ||||||
|     'updated_company' => 'Firma úspěšně aktualizována', |     'updated_company' => 'Firma úspěšně aktualizována', | ||||||
| @ -4542,7 +4506,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Klientovi :client byla odeslána faktura :invoice za :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4852,7 +4815,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4907,7 +4869,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5011,6 +4973,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Betalingsgateway', |     'payment_gateway' => 'Betalingsgateway', | ||||||
|     'gateway_id' => 'Gateway', |     'gateway_id' => 'Gateway', | ||||||
|     'email_notifications' => 'Notifikation via e-mail', |     'email_notifications' => 'Notifikation via e-mail', | ||||||
|     'email_sent' => 'Notifikation når en faktura er <b>sendt</b>', |  | ||||||
|     'email_viewed' => 'Notifikation når en faktura er <b>set</b>', |     'email_viewed' => 'Notifikation når en faktura er <b>set</b>', | ||||||
|     'email_paid' => 'Notifikation når en faktura er <b>betalt</b>', |     'email_paid' => 'Notifikation når en faktura er <b>betalt</b>', | ||||||
|     'site_updates' => 'Webside-opdateringer', |     'site_updates' => 'Webside-opdateringer', | ||||||
| @ -907,8 +906,6 @@ $LANG = array( | |||||||
|     'expense' => 'Expense', |     'expense' => 'Expense', | ||||||
|     'expenses' => 'Udgifter', |     'expenses' => 'Udgifter', | ||||||
|     'new_expense' => 'Indtast udgift', |     'new_expense' => 'Indtast udgift', | ||||||
|     'enter_expense' => 'Enter Expense', |  | ||||||
|     'vendors' => 'Sælgere', |  | ||||||
|     'new_vendor' => 'Ny sælger', |     'new_vendor' => 'Ny sælger', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Sælger', |     'vendor' => 'Sælger', | ||||||
| @ -1191,7 +1188,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'Hvidmærke', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1203,7 +1200,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live Preview', |  | ||||||
|     'page_size' => 'Page Size', |     'page_size' => 'Page Size', | ||||||
|     'live_preview_disabled' => 'Live preview has been disabled to support selected font', |     'live_preview_disabled' => 'Live preview has been disabled to support selected font', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1459,40 +1455,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Regnskab og jura', |  | ||||||
|     'industry_Advertising' => 'Annoncering', |  | ||||||
|     'industry_Aerospace' => 'Rumfart', |  | ||||||
|     'industry_Agriculture' => 'Landbrug', |  | ||||||
|     'industry_Automotive' => 'Autobranche', |  | ||||||
|     'industry_Banking & Finance' => 'Bank og finans', |  | ||||||
|     'industry_Biotechnology' => 'Bioteknologi', |  | ||||||
|     'industry_Broadcasting' => 'Radio- og tv udsendelser', |  | ||||||
|     'industry_Business Services' => 'Forretningsservice', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Råvarer og kemikalier', |  | ||||||
|     'industry_Communications' => 'Kommunikation', |  | ||||||
|     'industry_Computers & Hightech' => 'Computere og Højteknologi', |  | ||||||
|     'industry_Defense' => 'Forsvaret', |  | ||||||
|     'industry_Energy' => 'Energi', |  | ||||||
|     'industry_Entertainment' => 'Underholdning', |  | ||||||
|     'industry_Government' => 'Regering', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Forsikring', |  | ||||||
|     'industry_Manufacturing' => 'Produktion', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Medier', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit', |  | ||||||
|     'industry_Pharmaceuticals' => 'Medicinal', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professionelle serviceydelser og rådgivning', |  | ||||||
|     'industry_Real Estate' => 'Fast ejendom', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant og catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Detailhandel og engros', |  | ||||||
|     'industry_Sports' => 'Sport', |  | ||||||
|     'industry_Transportation' => 'Transport', |  | ||||||
|     'industry_Travel & Luxury' => 'Rejser & luksus', |  | ||||||
|     'industry_Other' => 'Andet', |  | ||||||
|     'industry_Photography' => 'Fotografi', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albanien', |     'country_Albania' => 'Albanien', | ||||||
| @ -2250,7 +2212,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Invalid file type', |     'invalid_file' => 'Invalid file type', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Markér som betalt', |     'mark_expense_paid' => 'Markér som betalt', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation code', |     'wrong_confirmation' => 'Incorrect confirmation code', | ||||||
|     'oauth_taken' => 'The account is already registered', |     'oauth_taken' => 'The account is already registered', | ||||||
| @ -2449,6 +2411,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4228,7 +4191,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4297,6 +4259,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4350,7 +4315,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4541,7 +4505,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'En e-mail er blevet sendt til :client med faktura :invoice pålydende :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4851,7 +4814,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4906,7 +4868,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5010,6 +4972,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -175,7 +175,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Zahlungs-Gateway', |     'payment_gateway' => 'Zahlungs-Gateway', | ||||||
|     'gateway_id' => 'Zahlungsanbieter', |     'gateway_id' => 'Zahlungsanbieter', | ||||||
|     'email_notifications' => 'E-Mail Benachrichtigungen', |     'email_notifications' => 'E-Mail Benachrichtigungen', | ||||||
|     'email_sent' => 'Benachrichtigen, wenn eine Rechnung <strong>versendet</strong> wurde', |  | ||||||
|     'email_viewed' => 'Benachrichtigen, wenn eine Rechnung <strong>betrachtet</strong> wurde', |     'email_viewed' => 'Benachrichtigen, wenn eine Rechnung <strong>betrachtet</strong> wurde', | ||||||
|     'email_paid' => 'Benachrichtigen, wenn eine Rechnung <strong>bezahlt</strong> wurde', |     'email_paid' => 'Benachrichtigen, wenn eine Rechnung <strong>bezahlt</strong> wurde', | ||||||
|     'site_updates' => 'Website-Aktualisierungen', |     'site_updates' => 'Website-Aktualisierungen', | ||||||
| @ -908,8 +907,6 @@ $LANG = array( | |||||||
|     'expense' => 'Ausgabe', |     'expense' => 'Ausgabe', | ||||||
|     'expenses' => 'Ausgaben', |     'expenses' => 'Ausgaben', | ||||||
|     'new_expense' => 'Ausgabe eingeben', |     'new_expense' => 'Ausgabe eingeben', | ||||||
|     'enter_expense' => 'Ausgabe eingeben', |  | ||||||
|     'vendors' => 'Lieferanten', |  | ||||||
|     'new_vendor' => 'Neuer Lieferant', |     'new_vendor' => 'Neuer Lieferant', | ||||||
|     'payment_terms_net' => 'Netto', |     'payment_terms_net' => 'Netto', | ||||||
|     'vendor' => 'Lieferant', |     'vendor' => 'Lieferant', | ||||||
| @ -1192,7 +1189,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Zahlungsplan gestartet', |     'plan_started' => 'Zahlungsplan gestartet', | ||||||
|     'plan_expires' => 'Zahlungsplan läuft ab', |     'plan_expires' => 'Zahlungsplan läuft ab', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Einjährige Registrierung für den Invoice Ninja Pro-Plan.', |     'pro_plan_year_description' => 'Einjährige Registrierung für den Invoice Ninja Pro-Plan.', | ||||||
|     'pro_plan_month_description' => 'Einmonatliche Registrierung für den Invoice Ninja Pro-Plan.', |     'pro_plan_month_description' => 'Einmonatliche Registrierung für den Invoice Ninja Pro-Plan.', | ||||||
| @ -1204,7 +1201,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Wird zu monatlich am :date gewechselt', |     'plan_pending_monthly' => 'Wird zu monatlich am :date gewechselt', | ||||||
|     'plan_refunded' => 'Eine Erstattung wurde erteilt.', |     'plan_refunded' => 'Eine Erstattung wurde erteilt.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live-Vorschau', |  | ||||||
|     'page_size' => 'Seitengröße', |     'page_size' => 'Seitengröße', | ||||||
|     'live_preview_disabled' => 'Live-Vorschau wurde deaktiviert, um die gewählte Schriftart unterstützen zu können', |     'live_preview_disabled' => 'Live-Vorschau wurde deaktiviert, um die gewählte Schriftart unterstützen zu können', | ||||||
|     'invoice_number_padding' => 'Innenabstand', |     'invoice_number_padding' => 'Innenabstand', | ||||||
| @ -1461,40 +1457,6 @@ Sobald Sie die Beträge erhalten haben, kommen Sie bitte wieder zurück zu diese | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Buchhaltung und Rechnungswesen', |  | ||||||
|     'industry_Advertising' => 'Werbung', |  | ||||||
|     'industry_Aerospace' => 'Luft- und Raumfahrt', |  | ||||||
|     'industry_Agriculture' => 'Land- und Forstwirtschaft', |  | ||||||
|     'industry_Automotive' => 'Automobilbau', |  | ||||||
|     'industry_Banking & Finance' => 'Bank- und Finanzwesen', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnologie', |  | ||||||
|     'industry_Broadcasting' => 'Rundfunk', |  | ||||||
|     'industry_Business Services' => 'Business-Dienstleistungen', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Rohstoffe und Chemikalien', |  | ||||||
|     'industry_Communications' => 'Nachrichten und Kommunikation', |  | ||||||
|     'industry_Computers & Hightech' => 'Computer & Hightech', |  | ||||||
|     'industry_Defense' => 'Verteidung', |  | ||||||
|     'industry_Energy' => 'Energie', |  | ||||||
|     'industry_Entertainment' => 'Unterhaltungsindustrie', |  | ||||||
|     'industry_Government' => 'Kommunal- und Staatsverwaltung', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Gesundheitswesen', |  | ||||||
|     'industry_Insurance' => 'Versicherungswesen', |  | ||||||
|     'industry_Manufacturing' => 'Produzierendes Gewerbe', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Medien', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Gemeinnützige Unternehmen', |  | ||||||
|     'industry_Pharmaceuticals' => 'Arzneimittel', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professionelle Dienstleistungen und Beratung', |  | ||||||
|     'industry_Real Estate' => 'Immobilien', |  | ||||||
|     'industry_Restaurant & Catering' => 'Gastronomie', |  | ||||||
|     'industry_Retail & Wholesale' => 'Einzel- und Grosshandel', |  | ||||||
|     'industry_Sports' => 'Sport', |  | ||||||
|     'industry_Transportation' => 'Verkehrswesen', |  | ||||||
|     'industry_Travel & Luxury' => 'Reisen und Luxus', |  | ||||||
|     'industry_Other' => 'Andere', |  | ||||||
|     'industry_Photography' => 'Fotografie', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albanien', |     'country_Albania' => 'Albanien', | ||||||
| @ -2252,7 +2214,7 @@ Sobald Sie die Beträge erhalten haben, kommen Sie bitte wieder zurück zu diese | |||||||
|     'invalid_file' => 'Ungültiger Dateityp', |     'invalid_file' => 'Ungültiger Dateityp', | ||||||
|     'add_documents_to_invoice' => 'Fügen Sie Dokumente zur Rechnung hinzu', |     'add_documents_to_invoice' => 'Fügen Sie Dokumente zur Rechnung hinzu', | ||||||
|     'mark_expense_paid' => 'Als bezahlt markieren', |     'mark_expense_paid' => 'Als bezahlt markieren', | ||||||
|     'white_label_license_error' => 'Die Lizenz nicht validiert werden. Überprüfen Sie die Datei Storage/logs/laravel-error. log auf Fehler.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Tarifkosten', |     'plan_price' => 'Tarifkosten', | ||||||
|     'wrong_confirmation' => 'Falscher Bestätigungscode', |     'wrong_confirmation' => 'Falscher Bestätigungscode', | ||||||
|     'oauth_taken' => 'Dieses Konto ist bereits registriert', |     'oauth_taken' => 'Dieses Konto ist bereits registriert', | ||||||
| @ -2451,6 +2413,7 @@ Sobald Sie die Beträge erhalten haben, kommen Sie bitte wieder zurück zu diese | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Kubanischer Peso', |     'currency_cuban_peso' => 'Kubanischer Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'Wir hoffen, dass Ihnen die App gefällt. Wenn Sie :link in Betracht ziehen würden, wären wir Ihnen sehr dankbar!', |     'review_app_help' => 'Wir hoffen, dass Ihnen die App gefällt. Wenn Sie :link in Betracht ziehen würden, wären wir Ihnen sehr dankbar!', | ||||||
|     'writing_a_review' => 'Schreiben einer Rezension', |     'writing_a_review' => 'Schreiben einer Rezension', | ||||||
| @ -3736,7 +3699,7 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting', | |||||||
|     'allow_under_payment_help' => 'Teilzahlungen zulassen', |     'allow_under_payment_help' => 'Teilzahlungen zulassen', | ||||||
|     'test_mode' => 'Test Modus', |     'test_mode' => 'Test Modus', | ||||||
|     'calculated_rate' => 'Berechneter Satz', |     'calculated_rate' => 'Berechneter Satz', | ||||||
|     'default_task_rate' => 'Standard-Steuersatz', |     'default_task_rate' => 'Standard Stundenlohn', | ||||||
|     'clear_cache' => 'Zwischenspeicher leeren', |     'clear_cache' => 'Zwischenspeicher leeren', | ||||||
|     'sort_order' => 'Sortierreihenfolge', |     'sort_order' => 'Sortierreihenfolge', | ||||||
|     'task_status' => 'Status', |     'task_status' => 'Status', | ||||||
| @ -4231,7 +4194,6 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting', | |||||||
|     'activity_104' => ':user hat die wiederkehrende Rechnung :recurring_invoice wiederhergestellt.', |     'activity_104' => ':user hat die wiederkehrende Rechnung :recurring_invoice wiederhergestellt.', | ||||||
|     'new_login_detected' => 'Neue Anmeldung für Ihr Konto erkannt.', |     'new_login_detected' => 'Neue Anmeldung für Ihr Konto erkannt.', | ||||||
|     'new_login_description' => 'Sie haben sich kürzlich von einem neuen Standort oder Gerät aus bei Ihrem Invoice Ninja-Konto angemeldet: <br><br><b>IP:</b> :ip<br><b>Time: </b>:time<br> Email: <b> :email', |     'new_login_description' => 'Sie haben sich kürzlich von einem neuen Standort oder Gerät aus bei Ihrem Invoice Ninja-Konto angemeldet: <br><br><b>IP:</b> :ip<br><b>Time: </b>:time<br> Email: <b> :email', | ||||||
|     'download_backup_subject' => 'Ihre Sicherungskopie steht zum Download bereit', |  | ||||||
|     'contact_details' => 'Kontakt Informationen', |     'contact_details' => 'Kontakt Informationen', | ||||||
|     'download_backup_subject' => 'Ihre Sicherungskopie steht zum Download bereit', |     'download_backup_subject' => 'Ihre Sicherungskopie steht zum Download bereit', | ||||||
|     'account_passwordless_login' => 'Passwortfreies einloggen', |     'account_passwordless_login' => 'Passwortfreies einloggen', | ||||||
| @ -4300,6 +4262,9 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting', | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS-Lastschriftverfahren', |     'becs' => 'BECS-Lastschriftverfahren', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'Sie müssen die Bedingungen akzeptieren, um fortzufahren.', |     'you_need_to_accept_the_terms_before_proceeding' => 'Sie müssen die Bedingungen akzeptieren, um fortzufahren.', | ||||||
|     'direct_debit' => 'Lastschriftverfahren', |     'direct_debit' => 'Lastschriftverfahren', | ||||||
| @ -4353,7 +4318,6 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting', | |||||||
|     'has_tasks' => 'Hat Aufgaben', |     'has_tasks' => 'Hat Aufgaben', | ||||||
|     'registration' => 'Registrierung', |     'registration' => 'Registrierung', | ||||||
|     'unauthorized_stripe_warning' => 'Bitte autorisieren Sie Stripe zur Annahme von Online-Zahlungen.', |     'unauthorized_stripe_warning' => 'Bitte autorisieren Sie Stripe zur Annahme von Online-Zahlungen.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Alle Datensätze aktualisieren', |     'update_all_records' => 'Alle Datensätze aktualisieren', | ||||||
|     'set_default_company' => 'Standardunternehmen festlegen', |     'set_default_company' => 'Standardunternehmen festlegen', | ||||||
|     'updated_company' => 'Unternehmen wurde erfolgreich aktualisiert', |     'updated_company' => 'Unternehmen wurde erfolgreich aktualisiert', | ||||||
| @ -4544,7 +4508,6 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting', | |||||||
|     'reminder_message' => 'Mahnung für Rechnung :number über :balance', |     'reminder_message' => 'Mahnung für Rechnung :number über :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Senden mit ungültigen GMail-Anmeldedaten', |     'gmail_credentials_invalid_subject' => 'Senden mit ungültigen GMail-Anmeldedaten', | ||||||
|     'gmail_credentials_invalid_body' => 'Ihre GMail-Anmeldedaten sind nicht korrekt. Bitte melden Sie sich im Administratorportal an und navigieren Sie zu Einstellungen > Benutzerdetails und trennen Sie Ihr GMail-Konto und verbinden Sie es erneut. Wir werden Ihnen diese Benachrichtigung täglich senden, bis das Problem behoben ist', |     'gmail_credentials_invalid_body' => 'Ihre GMail-Anmeldedaten sind nicht korrekt. Bitte melden Sie sich im Administratorportal an und navigieren Sie zu Einstellungen > Benutzerdetails und trennen Sie Ihr GMail-Konto und verbinden Sie es erneut. Wir werden Ihnen diese Benachrichtigung täglich senden, bis das Problem behoben ist', | ||||||
|     'notification_invoice_sent' => 'Rechnung :invoice über :amount wurde an den Kunden :client versendet.', |  | ||||||
|     'total_columns' => 'Felder insgesamt', |     'total_columns' => 'Felder insgesamt', | ||||||
|     'view_task' => 'Aufgabe anzeugen', |     'view_task' => 'Aufgabe anzeugen', | ||||||
|     'cancel_invoice' => 'Stornieren', |     'cancel_invoice' => 'Stornieren', | ||||||
| @ -4854,7 +4817,6 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting', | |||||||
|     'cash_vs_accrual_help' => 'Für die periodengerechte Berichterstattung einschalten, für die kassenbasierte Berichterstattung ausschalten.', |     'cash_vs_accrual_help' => 'Für die periodengerechte Berichterstattung einschalten, für die kassenbasierte Berichterstattung ausschalten.', | ||||||
|     'expense_paid_report' => 'Ausgabenbericht', |     'expense_paid_report' => 'Ausgabenbericht', | ||||||
|     'expense_paid_report_help' => 'Einschalten, um alle Ausgaben zu melden, ausschalten, um nur bezahlte Ausgaben zu melden', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Automatische E-Mail versenden, wenn eine Rechnung als bezahlt markiert wurde', | ||||||
| @ -4909,7 +4871,7 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting', | |||||||
|     'export_company' => 'Unternehmens Sicherungskopie erstellen', |     'export_company' => 'Unternehmens Sicherungskopie erstellen', | ||||||
|     'backup' => 'Sicherungskopie', |     'backup' => 'Sicherungskopie', | ||||||
|     'notification_purchase_order_created_body' => 'Die folgende Bestellung :purchase_order wurde für den Lieferant :vendor in Höhe von :amount erstellt.', |     'notification_purchase_order_created_body' => 'Die folgende Bestellung :purchase_order wurde für den Lieferant :vendor in Höhe von :amount erstellt.', | ||||||
|     'notification_purchase_order_created_subject' => 'Bestellung :purchase_order wurde für :vendor erstellt',     |     'notification_purchase_order_created_subject' => 'Bestellung :purchase_order wurde für :vendor erstellt', | ||||||
|     'notification_purchase_order_sent_subject' => 'Bestellung :purchase_order wurde an :vendor gesendet', |     'notification_purchase_order_sent_subject' => 'Bestellung :purchase_order wurde an :vendor gesendet', | ||||||
|     'notification_purchase_order_sent' => 'Der folgende Lieferant :vendor hat eine Bestellung :purchase_order über :amount erhalten.', |     'notification_purchase_order_sent' => 'Der folgende Lieferant :vendor hat eine Bestellung :purchase_order über :amount erhalten.', | ||||||
|     'subscription_blocked' => 'Dieses Produkt ist ein eingeschränkter Artikel, bitte kontaktieren Sie den Lieferant für weitere Informationen.', |     'subscription_blocked' => 'Dieses Produkt ist ein eingeschränkter Artikel, bitte kontaktieren Sie den Lieferant für weitere Informationen.', | ||||||
| @ -4981,38 +4943,80 @@ https://invoiceninja.github.io/docs/migration/#troubleshooting', | |||||||
|     'image_url' => 'Image URL', |     'image_url' => 'Image URL', | ||||||
|     'max_quantity' => 'Max Quantity', |     'max_quantity' => 'Max Quantity', | ||||||
|     'test_url' => 'Test URL', |     'test_url' => 'Test URL', | ||||||
|     'auto_bill_help_off' => 'Option is not shown', |     'auto_bill_help_off' => 'Option wird nicht angezeigt', | ||||||
|     'auto_bill_help_optin' => 'Option is shown but not selected', |     'auto_bill_help_optin' => 'Option wird angezeigt, aber nicht ausgewählt', | ||||||
|     'auto_bill_help_optout' => 'Option is shown and selected', |     'auto_bill_help_optout' => 'Option wird angezeigt und ausgewählt', | ||||||
|     'auto_bill_help_always' => 'Option is not shown', |     'auto_bill_help_always' => 'Option wird nicht angezeigt', | ||||||
|     'view_all' => 'View All', |     'view_all' => 'Alle anzeigen', | ||||||
|     'edit_all' => 'Edit All', |     'edit_all' => 'Alle bearbeiten', | ||||||
|     'accept_purchase_order_number' => 'Accept Purchase Order Number', |     'accept_purchase_order_number' => 'Bestellungsnummer akzeptieren', | ||||||
|     'accept_purchase_order_number_help' => 'Enable clients to provide a PO number when approving a quote', |     'accept_purchase_order_number_help' => 'Kunden die Möglichkeit geben, eine Bestellnummer anzugeben, wenn sie ein Angebot genehmigen', | ||||||
|     'from_email' => 'From Email', |     'from_email' => 'Absender-E-M;ail', | ||||||
|     'show_preview' => 'Show Preview', |     'show_preview' => 'Vorschau anzeigen', | ||||||
|     'show_paid_stamp' => 'Show Paid Stamp', |     'show_paid_stamp' => '"Bezahlt" Stempel anzeigen', | ||||||
|     'show_shipping_address' => 'Show Shipping Address', |     'show_shipping_address' => 'Lieferadresse anzeigen', | ||||||
|     'no_documents_to_download' => 'There are no documents in the selected records to download', |     'no_documents_to_download' => 'In den ausgewählten Datensätzen befinden sich keine Dokumente zum Herunterladen', | ||||||
|     'pixels' => 'Pixels', |     'pixels' => 'Pixel', | ||||||
|     'logo_size' => 'Logo Size', |     'logo_size' => 'Logogröße', | ||||||
|     'failed' => 'Failed', |     'failed' => 'Fehlgeschlagen', | ||||||
|     'client_contacts' => 'Client Contacts', |     'client_contacts' => 'Kundenkontakte', | ||||||
|     'sync_from' => 'Sync From', |     'sync_from' => 'Sync From', | ||||||
|     'gateway_payment_text' => 'Invoices: :invoices for :amount for client :client', |     'gateway_payment_text' => 'Rechnungen: :invoices über :amount für Kunde', | ||||||
|     'gateway_payment_text_no_invoice' => 'Payment with no invoice for amount :amount for client :client', |     'gateway_payment_text_no_invoice' => 'Zahlung ohne Rechnung für Kunde :client über :amount', | ||||||
|     'click_to_variables' => 'Client here to see all variables.', |     'click_to_variables' => 'Client here to see all variables.', | ||||||
|     'ship_to' => 'Ship to', |     'ship_to' => 'Liefern an', | ||||||
|     'stripe_direct_debit_details' => 'Please transfer into the nominated bank account above.', |     'stripe_direct_debit_details' => 'Bitte überweisen Sie den Betrag an obenstehende Bankverbindung', | ||||||
|     'branch_name' => 'Branch Name', |     'branch_name' => 'Zweigstelle', | ||||||
|     'branch_code' => 'Branch Code', |     'branch_code' => 'Bankleitzahl', | ||||||
|     'bank_name' => 'Bank Name', |     'bank_name' => 'Bankname', | ||||||
|     'bank_code' => 'Bank Code', |     'bank_code' => 'IBAN', | ||||||
|     'bic' => 'BIC', |     'bic' => 'BIC', | ||||||
|     'change_plan_description' => 'Upgrade or downgrade your current plan.', |     'change_plan_description' => 'Upgraden oder Downgraden Ihres aktuellen Tarifs', | ||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Logo hinzufügen', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Stripe hinzufügen', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Ungültiger Coupon', | ||||||
|  |     'no_assigned_tasks' => 'Keine abzurechenden Aufgaben für diese Rechnung', | ||||||
|  |     'authorization_failure' => 'Unzureichende Berechtigungen um diese Aktion auszuführen', | ||||||
|  |     'authorization_sms_failure' => 'Bitte bestätigen Sie Ihr Konto um E-Mails zu versenden', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Πύλη Πληρωμών (Gateway)', |     'payment_gateway' => 'Πύλη Πληρωμών (Gateway)', | ||||||
|     'gateway_id' => 'Πύλη Πληρωμής (Gateway)', |     'gateway_id' => 'Πύλη Πληρωμής (Gateway)', | ||||||
|     'email_notifications' => 'Ειδοποιήσεις Email', |     'email_notifications' => 'Ειδοποιήσεις Email', | ||||||
|     'email_sent' => 'Αποστολή email όταν το τιμολόγιο <b>σταλεί</b>', |  | ||||||
|     'email_viewed' => 'Αποστολή email όταν το τιμολόγιο <b>προβληθεί</b>', |     'email_viewed' => 'Αποστολή email όταν το τιμολόγιο <b>προβληθεί</b>', | ||||||
|     'email_paid' => 'Αποστολή email όταν το τιμολόγιο <b>πληρωθεί</b>', |     'email_paid' => 'Αποστολή email όταν το τιμολόγιο <b>πληρωθεί</b>', | ||||||
|     'site_updates' => 'Ενημερώσεις Ιστοσελίδας', |     'site_updates' => 'Ενημερώσεις Ιστοσελίδας', | ||||||
| @ -907,8 +906,6 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'expense' => 'Δαπάνη', |     'expense' => 'Δαπάνη', | ||||||
|     'expenses' => 'Δαπάνες', |     'expenses' => 'Δαπάνες', | ||||||
|     'new_expense' => 'Καταχώρηση Δαπάνης', |     'new_expense' => 'Καταχώρηση Δαπάνης', | ||||||
|     'enter_expense' => 'Καταχώρηση Δαπάνης', |  | ||||||
|     'vendors' => 'Προμηθευτές', |  | ||||||
|     'new_vendor' => 'Νέος Προμηθευτής', |     'new_vendor' => 'Νέος Προμηθευτής', | ||||||
|     'payment_terms_net' => 'Καθαρό', |     'payment_terms_net' => 'Καθαρό', | ||||||
|     'vendor' => 'Προμηθευτής', |     'vendor' => 'Προμηθευτής', | ||||||
| @ -1191,7 +1188,7 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'plan_started' => 'Έναρξη Πλάνου', |     'plan_started' => 'Έναρξη Πλάνου', | ||||||
|     'plan_expires' => 'Λήξη Πλάνου', |     'plan_expires' => 'Λήξη Πλάνου', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'Λευκή Ετικέτα', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Ένα έτος εγγραφή στο Επαγγελματικό Πλάνο του Invoice Ninja.', |     'pro_plan_year_description' => 'Ένα έτος εγγραφή στο Επαγγελματικό Πλάνο του Invoice Ninja.', | ||||||
|     'pro_plan_month_description' => 'Ένας μήνας εγγραφή στο Επαγγελματικό Πλάνο του Invoice Ninja.', |     'pro_plan_month_description' => 'Ένας μήνας εγγραφή στο Επαγγελματικό Πλάνο του Invoice Ninja.', | ||||||
| @ -1203,7 +1200,6 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'plan_pending_monthly' => 'Θα αλλάξει σε μηνιαίο στις :date', |     'plan_pending_monthly' => 'Θα αλλάξει σε μηνιαίο στις :date', | ||||||
|     'plan_refunded' => 'Έχει εκδοθεί επιστροφή χρημάτων.', |     'plan_refunded' => 'Έχει εκδοθεί επιστροφή χρημάτων.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Ζωντανή Προεπισκόπηση', |  | ||||||
|     'page_size' => 'Μέγεθος Σελίδας', |     'page_size' => 'Μέγεθος Σελίδας', | ||||||
|     'live_preview_disabled' => 'Η ζωντανή προεπισκόπηση έχει απενεργοποιηθεί για να μπορεί να εμφανιστεί αυτή η γραμματοσειρά', |     'live_preview_disabled' => 'Η ζωντανή προεπισκόπηση έχει απενεργοποιηθεί για να μπορεί να εμφανιστεί αυτή η γραμματοσειρά', | ||||||
|     'invoice_number_padding' => 'Περιθώριο', |     'invoice_number_padding' => 'Περιθώριο', | ||||||
| @ -1460,40 +1456,6 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Λογιστικά & Νομικά', |  | ||||||
|     'industry_Advertising' => 'Διαφημίσεις', |  | ||||||
|     'industry_Aerospace' => 'Αεροπορία', |  | ||||||
|     'industry_Agriculture' => 'Γεωργία', |  | ||||||
|     'industry_Automotive' => 'Αυτοκίνητα', |  | ||||||
|     'industry_Banking & Finance' => 'Τραπεζική & Οικονομικά', |  | ||||||
|     'industry_Biotechnology' => 'Βιοτεχνολογία', |  | ||||||
|     'industry_Broadcasting' => 'Ραδιοτηλεόραση', |  | ||||||
|     'industry_Business Services' => 'Υπηρεσίες Επιχειρήσεων', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Εμπορεύματα & Χημικά', |  | ||||||
|     'industry_Communications' => 'Τηλεπικοινωνίες', |  | ||||||
|     'industry_Computers & Hightech' => 'Υπολογιστές & Τεχνολογία', |  | ||||||
|     'industry_Defense' => 'Άμυνα', |  | ||||||
|     'industry_Energy' => 'Ενέργεια', |  | ||||||
|     'industry_Entertainment' => 'Διασκέδαση', |  | ||||||
|     'industry_Government' => 'Κυβερνηση', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Περίθαλψη & Επιστήμες Υγείας', |  | ||||||
|     'industry_Insurance' => 'Ασφάλειες', |  | ||||||
|     'industry_Manufacturing' => 'Βιομηχανία', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Μέσα Ενημέρωσης', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Μη Κερδοσκοπική', |  | ||||||
|     'industry_Pharmaceuticals' => 'Φάρμακα', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Υπηρεσίες & Συμβουλευτική', |  | ||||||
|     'industry_Real Estate' => 'Κτηματομεσιτικά', |  | ||||||
|     'industry_Restaurant & Catering' => 'Εστιατόριο & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Λιανικό & Χονδρικό Εμπόριο', |  | ||||||
|     'industry_Sports' => 'Αθλητισμός', |  | ||||||
|     'industry_Transportation' => 'Μεταφορά', |  | ||||||
|     'industry_Travel & Luxury' => 'Ταξίδια & Ανέσεις', |  | ||||||
|     'industry_Other' => 'Άλλο', |  | ||||||
|     'industry_Photography' => 'Φωτογραφία', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Αφγανιστάν', |     'country_Afghanistan' => 'Αφγανιστάν', | ||||||
|     'country_Albania' => 'Αλβανία', |     'country_Albania' => 'Αλβανία', | ||||||
| @ -2251,7 +2213,7 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'invalid_file' => 'Μη έγκυρος τύπος αρχείου', |     'invalid_file' => 'Μη έγκυρος τύπος αρχείου', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Σήμανση ως εξοφλημένο', |     'mark_expense_paid' => 'Σήμανση ως εξοφλημένο', | ||||||
|     'white_label_license_error' => 'Αδυναμία επικύρωσης της άδειας, ελέγξτε το αρχείο storage/logs/laravel-error.log για περισσότερες λεπτομέρειες.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Τιμή Πλάνου', |     'plan_price' => 'Τιμή Πλάνου', | ||||||
|     'wrong_confirmation' => 'Λανθασμένος κωδικός επιβεβαίωσης', |     'wrong_confirmation' => 'Λανθασμένος κωδικός επιβεβαίωσης', | ||||||
|     'oauth_taken' => 'Ο λογαριασμός χρήστη έχει ήδη καταχωρηθεί', |     'oauth_taken' => 'Ο λογαριασμός χρήστη έχει ήδη καταχωρηθεί', | ||||||
| @ -2450,6 +2412,7 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'Ελπίζουμε να απολαμβάνετε τη χρήση της εφαρμογής.<br/> Εάν θα θέλατε να γράψετε μια κριτική :link θα το εκτιμούσαμε ιδιαίτερα!', |     'review_app_help' => 'Ελπίζουμε να απολαμβάνετε τη χρήση της εφαρμογής.<br/> Εάν θα θέλατε να γράψετε μια κριτική :link θα το εκτιμούσαμε ιδιαίτερα!', | ||||||
|     'writing_a_review' => 'συγγραφή κριτικής', |     'writing_a_review' => 'συγγραφή κριτικής', | ||||||
| @ -3908,24 +3871,24 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|      'notification_credit_viewed_subject' => 'Η πίστωση :invoice προβλήθηκε στον πελάτη :client', |      'notification_credit_viewed_subject' => 'Η πίστωση :invoice προβλήθηκε στον πελάτη :client', | ||||||
|      'notification_credit_sent' => 'The following client :client was emailed Credit :invoice for :amount.', |      'notification_credit_sent' => 'The following client :client was emailed Credit :invoice for :amount.', | ||||||
|      'notification_credit_viewed' => 'The following client :client viewed Credit :credit for :amount.', |      'notification_credit_viewed' => 'The following client :client viewed Credit :credit for :amount.', | ||||||
|      'reset_password_text' => 'Enter your email to reset your password.', |      'reset_password_text' => 'Εισάγετε το email σας για να επαναφέρετε τον κωδικό πρόσβασής σας.', | ||||||
|      'password_reset' => 'Επαναφορά Κωδικού Πρόσβασης', |      'password_reset' => 'Επαναφορά Κωδικού Πρόσβασης', | ||||||
|      'account_login_text' => 'Welcome back! Glad to see you.', |      'account_login_text' => 'Καλώς όρισες πίσω! Χαίρομαι που σε βλέπω.', | ||||||
|      'request_cancellation' => 'Request cancellation', |      'request_cancellation' => 'Αίτηση ακύρωσης', | ||||||
|      'delete_payment_method' => 'Διαγραφή Μεθόδου Πληρωμής', |      'delete_payment_method' => 'Διαγραφή Μεθόδου Πληρωμής', | ||||||
|      'about_to_delete_payment_method' => 'You are about to delete the payment method.', |      'about_to_delete_payment_method' => 'Πρόκειται να διαγράψετε τον τρόπο πληρωμής.', | ||||||
|      'action_cant_be_reversed' => 'Action can\'t be reversed', |      'action_cant_be_reversed' => 'Η ενέργεια δεν μπορεί να αντιστραφεί', | ||||||
|      'profile_updated_successfully' => 'The profile has been updated successfully.', |      'profile_updated_successfully' => 'Το προφίλ ενημερώθηκε με επιτυχία.', | ||||||
|      'currency_ethiopian_birr' => 'Μπιρ Αιθιοπίας', |      'currency_ethiopian_birr' => 'Μπιρ Αιθιοπίας', | ||||||
|      'client_information_text' => 'Use a permanent address where you can receive mail.', |      'client_information_text' => 'Χρησιμοποιήστε μια μόνιμη διεύθυνση όπου μπορείτε να λαμβάνετε αλληλογραφία.', | ||||||
|      'status_id' => 'Κατάσταση Τιμολογίου', |      'status_id' => 'Κατάσταση Τιμολογίου', | ||||||
|      'email_already_register' => 'This email is already linked to an account', |      'email_already_register' => 'Αυτό το email είναι ήδη συνδεδεμένο με έναν υπάρχων λογαριασμό', | ||||||
|      'locations' => 'Τοποθεσίες', |      'locations' => 'Τοποθεσίες', | ||||||
|      'freq_indefinitely' => 'Indefinitely', |      'freq_indefinitely' => 'Επ\' αόριστον', | ||||||
|      'cycles_remaining' => 'Υπολειπόμενη Πίστωση', |      'cycles_remaining' => 'Υπολειπόμενη Πίστωση', | ||||||
|      'i_understand_delete' => 'I understand, delete', |      'i_understand_delete' => 'Καταλαβαίνω, διαγραφή', | ||||||
|      'download_files' => 'Κατέβασμα Αρχείων', |      'download_files' => 'Κατέβασμα Αρχείων', | ||||||
|      'download_timeframe' => 'Use this link to download your files, the link will expire in 1 hour.', |      'download_timeframe' => 'Χρησιμοποιήστε αυτόν τον σύνδεσμο για να κατεβάσετε τα αρχεία σας, ο σύνδεσμος θα λήξει σε 1 ώρα.', | ||||||
|      'new_signup' => 'Νέα Εγγραφή', |      'new_signup' => 'Νέα Εγγραφή', | ||||||
|      'new_signup_text' => 'A new account has been created by :user - :email - from IP address: :ip', |      'new_signup_text' => 'A new account has been created by :user - :email - from IP address: :ip', | ||||||
|      'notification_payment_paid_subject' => 'Payment was made by :client', |      'notification_payment_paid_subject' => 'Payment was made by :client', | ||||||
| @ -3936,25 +3899,25 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|      'invoice_number_placeholder' => 'Τιμολόγιο # :invoice', |      'invoice_number_placeholder' => 'Τιμολόγιο # :invoice', | ||||||
|      'entity_number_placeholder' => ':entity # :entity_number', |      'entity_number_placeholder' => ':entity # :entity_number', | ||||||
|      'email_link_not_working' => 'If the button above isn\'t working for you, please click on the link', |      'email_link_not_working' => 'If the button above isn\'t working for you, please click on the link', | ||||||
|      'display_log' => 'Display Log', |      'display_log' => 'Εμφάνιση αρχείου καταγραφής', | ||||||
|      'send_fail_logs_to_our_server' => 'Report errors in realtime', |      'send_fail_logs_to_our_server' => 'Αναφορά σφαλμάτων σε πραγματικό χρόνο', | ||||||
|      'setup' => 'Καθορισμός', |      'setup' => 'Καθορισμός', | ||||||
|      'quick_overview_statistics' => 'Quick overview & statistics', |      'quick_overview_statistics' => 'Quick overview & statistics', | ||||||
|      'update_your_personal_info' => 'Επικαιροποίησε τις προσωπικές σου πληροφορίες', |      'update_your_personal_info' => 'Επικαιροποίησε τις προσωπικές σου πληροφορίες', | ||||||
|      'name_website_logo' => 'Name, website & logo', |      'name_website_logo' => 'Name, website & logo', | ||||||
|      'make_sure_use_full_link' => 'Make sure you use full link to your site', |      'make_sure_use_full_link' => 'Βεβαιωθείτε ότι χρησιμοποιείτε τον πλήρη σύνδεσμο προς τον ιστότοπό σας', | ||||||
|      'personal_address' => 'Προσωπική διεύθυνση', |      'personal_address' => 'Προσωπική διεύθυνση', | ||||||
|      'enter_your_personal_address' => 'Εισάγετε την προσωπική σας διεύθυνση', |      'enter_your_personal_address' => 'Εισάγετε την προσωπική σας διεύθυνση', | ||||||
|      'enter_your_shipping_address' => 'Εισαγωγή Διεύθυνσης Αποστολής', |      'enter_your_shipping_address' => 'Εισαγωγή Διεύθυνσης Αποστολής', | ||||||
|      'list_of_invoices' => 'Λίστα Τιμολογίων', |      'list_of_invoices' => 'Λίστα Τιμολογίων', | ||||||
|      'with_selected' => 'Με τα επιλεγμένα', |      'with_selected' => 'Με τα επιλεγμένα', | ||||||
|      'invoice_still_unpaid' => 'This invoice is still not paid. Click the button to complete the payment', |      'invoice_still_unpaid' => 'Αυτό το τιμολόγιο δεν έχει εξοφληθεί ακόμα. Κάντε κλικ στο κουμπί για να ολοκληρώσετε την πληρωμή', | ||||||
|      'list_of_recurring_invoices' => 'List of recurring invoices', |      'list_of_recurring_invoices' => 'Λίστα επαναλαμβανόμενων τιμολογίων', | ||||||
|      'details_of_recurring_invoice' => 'Here are some details about recurring invoice', |      'details_of_recurring_invoice' => 'Ακολουθούν ορισμένες λεπτομέρειες σχετικά με το επαναλαμβανόμενο τιμολόγιο', | ||||||
|      'cancellation' => 'Ακύρωση', |      'cancellation' => 'Ακύρωση', | ||||||
|      'about_cancellation' => 'In case you want to stop the recurring invoice, please click to request the cancellation.', |      'about_cancellation' => 'In case you want to stop the recurring invoice, please click to request the cancellation.', | ||||||
|      'cancellation_warning' => 'Warning! You are requesting a cancellation of this service. Your service may be cancelled with no further notification to you.', |      'cancellation_warning' => 'Προειδοποίηση! Ζητάτε ακύρωση αυτής της υπηρεσίας. Η υπηρεσία σας μπορεί να ακυρωθεί χωρίς περαιτέρω ειδοποίηση σε εσάς.', | ||||||
|      'cancellation_pending' => 'Cancellation pending, we\'ll be in touch!', |      'cancellation_pending' => 'Η ακύρωση εκκρεμεί, θα επικοινωνήσουμε μαζί σας!', | ||||||
|      'list_of_payments' => 'Λίστα Πληρωμών', |      'list_of_payments' => 'Λίστα Πληρωμών', | ||||||
|      'payment_details' => 'Details of the payment', |      'payment_details' => 'Details of the payment', | ||||||
|      'list_of_payment_invoices' => 'List of invoices affected by the payment', |      'list_of_payment_invoices' => 'List of invoices affected by the payment', | ||||||
| @ -4229,7 +4192,6 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4298,6 +4260,9 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4351,7 +4316,6 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4447,7 +4411,7 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'enterprise' => 'Enterprise', |     'enterprise' => 'Enterprise', | ||||||
|     'invoice_item' => 'Invoice Item', |     'invoice_item' => 'Invoice Item', | ||||||
|     'quote_item' => 'Quote Item', |     'quote_item' => 'Quote Item', | ||||||
|     'order' => 'Order', |     'order' => 'Παραγγελία', | ||||||
|     'search_kanban' => 'Search Kanban', |     'search_kanban' => 'Search Kanban', | ||||||
|     'search_kanbans' => 'Search Kanban', |     'search_kanbans' => 'Search Kanban', | ||||||
|     'move_top' => 'Move Top', |     'move_top' => 'Move Top', | ||||||
| @ -4542,7 +4506,6 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Στον πελάτη :client απεστάλη το Τιμολόγιο :invoice ποσού :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4628,7 +4591,7 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'notification_purchase_order_viewed_subject' => 'Purchase Order :invoice was viewed by :client', |     'notification_purchase_order_viewed_subject' => 'Purchase Order :invoice was viewed by :client', | ||||||
|     'notification_purchase_order_viewed' => 'The following vendor :client viewed Purchase Order :invoice for :amount.', |     'notification_purchase_order_viewed' => 'The following vendor :client viewed Purchase Order :invoice for :amount.', | ||||||
|     'purchase_order_date' => 'Purchase Order Date', |     'purchase_order_date' => 'Purchase Order Date', | ||||||
|     'purchase_orders' => 'Purchase Orders', |     'purchase_orders' => 'Εντολές αγοράς', | ||||||
|     'purchase_order_number_placeholder' => 'Purchase Order # :purchase_order', |     'purchase_order_number_placeholder' => 'Purchase Order # :purchase_order', | ||||||
|     'accepted' => 'Accepted', |     'accepted' => 'Accepted', | ||||||
|     'activity_137' => ':contact accepted purchase order :purchase_order', |     'activity_137' => ':contact accepted purchase order :purchase_order', | ||||||
| @ -4852,7 +4815,6 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4907,7 +4869,7 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -4945,7 +4907,7 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'imported_design' => 'Successfully imported design', |     'imported_design' => 'Successfully imported design', | ||||||
|     'invalid_design' => 'The design is invalid, the :value section is missing', |     'invalid_design' => 'The design is invalid, the :value section is missing', | ||||||
|     'setup_wizard_logo' => 'Would you like to upload your logo?', |     'setup_wizard_logo' => 'Would you like to upload your logo?', | ||||||
|     'installed_version' => 'Installed Version', |     'installed_version' => 'Εγκατεστημένη Έκδοση', | ||||||
|     'notify_vendor_when_paid' => 'Notify Vendor When Paid', |     'notify_vendor_when_paid' => 'Notify Vendor When Paid', | ||||||
|     'notify_vendor_when_paid_help' => 'Send an email to the vendor when the expense is marked as paid', |     'notify_vendor_when_paid_help' => 'Send an email to the vendor when the expense is marked as paid', | ||||||
|     'update_payment' => 'Update Payment', |     'update_payment' => 'Update Payment', | ||||||
| @ -4998,19 +4960,61 @@ email που είναι συνδεδεμένη με το λογαριασμό σ | |||||||
|     'client_contacts' => 'Client Contacts', |     'client_contacts' => 'Client Contacts', | ||||||
|     'sync_from' => 'Sync From', |     'sync_from' => 'Sync From', | ||||||
|     'gateway_payment_text' => 'Invoices: :invoices for :amount for client :client', |     'gateway_payment_text' => 'Invoices: :invoices for :amount for client :client', | ||||||
|     'gateway_payment_text_no_invoice' => 'Payment with no invoice for amount :amount for client :client', |     'gateway_payment_text_no_invoice' => 'Πληρωμή χωρίς τιμολόγιο για ποσό : amount για πελάτη :client', | ||||||
|     'click_to_variables' => 'Client here to see all variables.', |     'click_to_variables' => 'Κάντε κλικ εδώ για να δείτε όλες τις μεταβλητές.', | ||||||
|     'ship_to' => 'Ship to', |     'ship_to' => 'Αποστολή προς', | ||||||
|     'stripe_direct_debit_details' => 'Please transfer into the nominated bank account above.', |     'stripe_direct_debit_details' => 'Μεταφέρετε στον παραπάνω τραπεζικό λογαριασμό.', | ||||||
|     'branch_name' => 'Branch Name', |     'branch_name' => 'Ονομασία υποκαταστήματος', | ||||||
|     'branch_code' => 'Branch Code', |     'branch_code' => 'Κωδικός υποκαταστήματος', | ||||||
|     'bank_name' => 'Bank Name', |     'bank_name' => 'Όνομα Τράπεζας', | ||||||
|     'bank_code' => 'Bank Code', |     'bank_code' => 'Κωδικός Τράπεζας', | ||||||
|     'bic' => 'BIC', |     'bic' => 'BIC', | ||||||
|     'change_plan_description' => 'Upgrade or downgrade your current plan.', |     'change_plan_description' => 'Αναβαθμίστε ή υποβαθμίστε το τρέχον πλάνο σας', | ||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Πρόσθεσε Λογότυπο', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Προσθέστε Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Μη έγκυρο κουπόνι', | ||||||
|  |     'no_assigned_tasks' => 'Δεν υπάρχουν χρεώσιμες εργασίες για αυτό το έργο', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -5015,6 +5015,23 @@ $LANG = array( | |||||||
|     'restored_payment_link' => 'Successfully restored payment link', |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|     'search_payment_link' => 'Search 1 Payment Link', |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|     'search_payment_links' => 'Search :count Payment Links', |     'search_payment_links' => 'Search :count Payment Links', | ||||||
|  |     'increase_prices' => 'Increase Prices', | ||||||
|  |     'update_prices' => 'Update Prices', | ||||||
|  |     'incresed_prices' => 'Successfully queued prices to be increased', | ||||||
|  |     'updated_prices' => 'Successfully queued prices to be updated', | ||||||
|  |     'api_token' => 'API Token', | ||||||
|  |     'api_key' => 'API Key', | ||||||
|  |     'endpoint' => 'Endpoint', | ||||||
|  |     'not_billable' => 'Not Billable', | ||||||
|  |     'allow_billable_task_items' => 'Allow Billable Task Items', | ||||||
|  |     'allow_billable_task_items_help' => 'Enable configuring which task items are billed', | ||||||
|  |     'show_task_item_description' => 'Show Task Item Description', | ||||||
|  |     'show_task_item_description_help' => 'Enable specifying task item descriptions', | ||||||
|  |     'email_record' => 'Email Record', | ||||||
|  |     'invoice_product_columns' => 'Invoice Product Columns', | ||||||
|  |     'quote_product_columns' => 'Quote Product Columns', | ||||||
|  |     'vendors' => 'Vendors', | ||||||
|  |     'product_sales' => 'Product Sales', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Payment Gateway', |     'payment_gateway' => 'Payment Gateway', | ||||||
|     'gateway_id' => 'Gateway', |     'gateway_id' => 'Gateway', | ||||||
|     'email_notifications' => 'Email Notifications', |     'email_notifications' => 'Email Notifications', | ||||||
|     'email_sent' => 'Email me when an invoice is <b>sent</b>', |  | ||||||
|     'email_viewed' => 'Email me when an invoice is <b>viewed</b>', |     'email_viewed' => 'Email me when an invoice is <b>viewed</b>', | ||||||
|     'email_paid' => 'Email me when an invoice is <b>paid</b>', |     'email_paid' => 'Email me when an invoice is <b>paid</b>', | ||||||
|     'site_updates' => 'Site Updates', |     'site_updates' => 'Site Updates', | ||||||
| @ -907,8 +906,6 @@ $LANG = array( | |||||||
|     'expense' => 'Expense', |     'expense' => 'Expense', | ||||||
|     'expenses' => 'Expenses', |     'expenses' => 'Expenses', | ||||||
|     'new_expense' => 'Enter Expense', |     'new_expense' => 'Enter Expense', | ||||||
|     'enter_expense' => 'Enter Expense', |  | ||||||
|     'vendors' => 'Vendors', |  | ||||||
|     'new_vendor' => 'New Vendor', |     'new_vendor' => 'New Vendor', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Vendor', |     'vendor' => 'Vendor', | ||||||
| @ -1191,7 +1188,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1203,7 +1200,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live Preview', |  | ||||||
|     'page_size' => 'Page Size', |     'page_size' => 'Page Size', | ||||||
|     'live_preview_disabled' => 'Live preview has been disabled to support selected font', |     'live_preview_disabled' => 'Live preview has been disabled to support selected font', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1460,40 +1456,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Accounting & Legal', |  | ||||||
|     'industry_Advertising' => 'Advertising', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automotive', |  | ||||||
|     'industry_Banking & Finance' => 'Banking & Finance', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnology', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Business Services', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Chemicals', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers & Hightech', |  | ||||||
|     'industry_Defense' => 'Defense', |  | ||||||
|     'industry_Energy' => 'Energy', |  | ||||||
|     'industry_Entertainment' => 'Entertainment', |  | ||||||
|     'industry_Government' => 'Government', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Insurance', |  | ||||||
|     'industry_Manufacturing' => 'Manufacturing', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceuticals', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professional Services & Consulting', |  | ||||||
|     'industry_Real Estate' => 'Real Estate', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Retail & Wholesale', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transportation', |  | ||||||
|     'industry_Travel & Luxury' => 'Travel & Luxury', |  | ||||||
|     'industry_Other' => 'Other', |  | ||||||
|     'industry_Photography' => 'Photography', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2251,7 +2213,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Invalid file type', |     'invalid_file' => 'Invalid file type', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Mark paid', |     'mark_expense_paid' => 'Mark paid', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation code', |     'wrong_confirmation' => 'Incorrect confirmation code', | ||||||
|     'oauth_taken' => 'The account is already registered', |     'oauth_taken' => 'The account is already registered', | ||||||
| @ -2450,6 +2412,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4229,7 +4192,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4298,6 +4260,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4351,7 +4316,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4542,7 +4506,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'The following client :client was emailed Invoice :invoice for :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4852,7 +4815,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4907,7 +4869,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5011,6 +4973,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Pasarela de pago', |     'payment_gateway' => 'Pasarela de pago', | ||||||
|     'gateway_id' => 'Proveedor', |     'gateway_id' => 'Proveedor', | ||||||
|     'email_notifications' => 'Notificaciones de correo', |     'email_notifications' => 'Notificaciones de correo', | ||||||
|     'email_sent' => 'Avísame por correo cuando una factura <b>se envía</b>', |  | ||||||
|     'email_viewed' => 'Avísame por correo cuando una factura <b>se visualiza</b>', |     'email_viewed' => 'Avísame por correo cuando una factura <b>se visualiza</b>', | ||||||
|     'email_paid' => 'Avísame por correo cuando una factura <b>se paga</b>', |     'email_paid' => 'Avísame por correo cuando una factura <b>se paga</b>', | ||||||
|     'site_updates' => 'Actualizaciones del sitio', |     'site_updates' => 'Actualizaciones del sitio', | ||||||
| @ -906,8 +905,6 @@ $LANG = array( | |||||||
|     'expense' => 'Gasto', |     'expense' => 'Gasto', | ||||||
|     'expenses' => 'Gastos', |     'expenses' => 'Gastos', | ||||||
|     'new_expense' => 'Ingrese el Gasto', |     'new_expense' => 'Ingrese el Gasto', | ||||||
|     'enter_expense' => 'Introducir Gasto', |  | ||||||
|     'vendors' => 'Proveedores', |  | ||||||
|     'new_vendor' => 'Nuevo Proveedor', |     'new_vendor' => 'Nuevo Proveedor', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Proveedor', |     'vendor' => 'Proveedor', | ||||||
| @ -1189,7 +1186,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1201,7 +1198,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live Preview', |  | ||||||
|     'page_size' => 'Page Size', |     'page_size' => 'Page Size', | ||||||
|     'live_preview_disabled' => 'Live preview has been disabled to support selected font', |     'live_preview_disabled' => 'Live preview has been disabled to support selected font', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1458,40 +1454,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Accounting & Legal', |  | ||||||
|     'industry_Advertising' => 'Advertising', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automotive', |  | ||||||
|     'industry_Banking & Finance' => 'Banking & Finance', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnology', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Business Services', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Chemicals', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers & Hightech', |  | ||||||
|     'industry_Defense' => 'Defense', |  | ||||||
|     'industry_Energy' => 'Energy', |  | ||||||
|     'industry_Entertainment' => 'Entertainment', |  | ||||||
|     'industry_Government' => 'Government', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Insurance', |  | ||||||
|     'industry_Manufacturing' => 'Manufacturing', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceuticals', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professional Services & Consulting', |  | ||||||
|     'industry_Real Estate' => 'Real Estate', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurante & catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Retail & Wholesale', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transportation', |  | ||||||
|     'industry_Travel & Luxury' => 'Travel & Luxury', |  | ||||||
|     'industry_Other' => 'Other', |  | ||||||
|     'industry_Photography' => 'Photography', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2249,7 +2211,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Tpo de archivo inválido', |     'invalid_file' => 'Tpo de archivo inválido', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Marcar como Pagado', |     'mark_expense_paid' => 'Marcar como Pagado', | ||||||
|     'white_label_license_error' => 'Error al validar la licencia, verifica el archivo de log storage/logs/laravel-error.log para más detalles.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Precio del Plan', |     'plan_price' => 'Precio del Plan', | ||||||
|     'wrong_confirmation' => 'Código de confirmación incorrecto', |     'wrong_confirmation' => 'Código de confirmación incorrecto', | ||||||
|     'oauth_taken' => 'La cuenta ya ha sido registrada', |     'oauth_taken' => 'La cuenta ya ha sido registrada', | ||||||
| @ -2448,6 +2410,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Peso Cubano', |     'currency_cuban_peso' => 'Peso Cubano', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'Esperamos que estés disfrutando de usar la aplicación.<br/>Si consideras  :link lo apreciaremos mucho!', |     'review_app_help' => 'Esperamos que estés disfrutando de usar la aplicación.<br/>Si consideras  :link lo apreciaremos mucho!', | ||||||
|     'writing_a_review' => 'escribiendo una reseña', |     'writing_a_review' => 'escribiendo una reseña', | ||||||
| @ -4227,7 +4190,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4296,6 +4258,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4349,7 +4314,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4540,7 +4504,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'La factura :invoice por importe de :amount fue enviada al cliente :cliente.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4850,7 +4813,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4905,7 +4867,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5009,6 +4971,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Pasarela de Pago', |     'payment_gateway' => 'Pasarela de Pago', | ||||||
|     'gateway_id' => 'Proveedor', |     'gateway_id' => 'Proveedor', | ||||||
|     'email_notifications' => 'Notificaciones de correo', |     'email_notifications' => 'Notificaciones de correo', | ||||||
|     'email_sent' => 'Avísame por correo cuando una Factura <b>se envía</b>', |  | ||||||
|     'email_viewed' => 'Avísame por correo cuando una Factura <b>se visualiza</b>', |     'email_viewed' => 'Avísame por correo cuando una Factura <b>se visualiza</b>', | ||||||
|     'email_paid' => 'Avísame por correo cuando una Factura <b>se paga</b>', |     'email_paid' => 'Avísame por correo cuando una Factura <b>se paga</b>', | ||||||
|     'site_updates' => 'Actualizaciones del sitio', |     'site_updates' => 'Actualizaciones del sitio', | ||||||
| @ -314,7 +313,7 @@ $LANG = array( | |||||||
|     'your_quote' => 'Su Presupuesto', |     'your_quote' => 'Su Presupuesto', | ||||||
|     'total' => 'Total', |     'total' => 'Total', | ||||||
|     'clone' => 'Clonar', |     'clone' => 'Clonar', | ||||||
|     'new_quote' => 'Nueva Presupuesto', |     'new_quote' => 'Nuevo Presupuesto', | ||||||
|     'create_quote' => 'Crear Presupuesto', |     'create_quote' => 'Crear Presupuesto', | ||||||
|     'edit_quote' => 'Editar Presupuesto', |     'edit_quote' => 'Editar Presupuesto', | ||||||
|     'archive_quote' => 'Archivar Presupuesto', |     'archive_quote' => 'Archivar Presupuesto', | ||||||
| @ -901,8 +900,6 @@ $LANG = array( | |||||||
|     'expense' => 'Gasto', |     'expense' => 'Gasto', | ||||||
|     'expenses' => 'Gastos', |     'expenses' => 'Gastos', | ||||||
|     'new_expense' => 'Nuevo Gasto', |     'new_expense' => 'Nuevo Gasto', | ||||||
|     'enter_expense' => 'Introducir Gasto', |  | ||||||
|     'vendors' => 'Proveedores', |  | ||||||
|     'new_vendor' => 'Nuevo Proveedor', |     'new_vendor' => 'Nuevo Proveedor', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Proveedor', |     'vendor' => 'Proveedor', | ||||||
| @ -1181,7 +1178,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Iniciado', |     'plan_started' => 'Plan Iniciado', | ||||||
|     'plan_expires' => 'Plan Vencido', |     'plan_expires' => 'Plan Vencido', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'Marca Blanca', |     'white_label_button' => 'Comprar Marca Blanca', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Un año de inscripción en el Plan Invoice Ninja Pro.', |     'pro_plan_year_description' => 'Un año de inscripción en el Plan Invoice Ninja Pro.', | ||||||
|     'pro_plan_month_description' => 'Un mes de inscripción en el Plan Invoice Ninja Pro.', |     'pro_plan_month_description' => 'Un mes de inscripción en el Plan Invoice Ninja Pro.', | ||||||
| @ -1193,7 +1190,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Cambiará a mensualmente el :date', |     'plan_pending_monthly' => 'Cambiará a mensualmente el :date', | ||||||
|     'plan_refunded' => 'Se ha emitido un reembolso.', |     'plan_refunded' => 'Se ha emitido un reembolso.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Previsualización en vivo', |  | ||||||
|     'page_size' => 'Tamaño de Pagina', |     'page_size' => 'Tamaño de Pagina', | ||||||
|     'live_preview_disabled' => 'La Vista Previa en vivo se ha deshabilitado para admitir la fuente seleccionada.', |     'live_preview_disabled' => 'La Vista Previa en vivo se ha deshabilitado para admitir la fuente seleccionada.', | ||||||
|     'invoice_number_padding' => 'Relleno', |     'invoice_number_padding' => 'Relleno', | ||||||
| @ -1450,40 +1446,6 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Contabilidad y legal', |  | ||||||
|     'industry_Advertising' => 'Publicidad', |  | ||||||
|     'industry_Aerospace' => 'Aerospacial', |  | ||||||
|     'industry_Agriculture' => 'Agricultura', |  | ||||||
|     'industry_Automotive' => 'Automoción', |  | ||||||
|     'industry_Banking & Finance' => 'Banca y finanzas', |  | ||||||
|     'industry_Biotechnology' => 'Biotecnología', |  | ||||||
|     'industry_Broadcasting' => 'Ciencias de la información', |  | ||||||
|     'industry_Business Services' => 'Servicios empresariales', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Química y productos', |  | ||||||
|     'industry_Communications' => 'Comunicaciones', |  | ||||||
|     'industry_Computers & Hightech' => 'Informática y alta tecnología', |  | ||||||
|     'industry_Defense' => 'Defensa', |  | ||||||
|     'industry_Energy' => 'Energía', |  | ||||||
|     'industry_Entertainment' => 'Entretenimiento', |  | ||||||
|     'industry_Government' => 'Gubernamental', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Sanidad y biología', |  | ||||||
|     'industry_Insurance' => 'Seguros', |  | ||||||
|     'industry_Manufacturing' => 'Producción', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Medios', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'ONGs y educación superior', |  | ||||||
|     'industry_Pharmaceuticals' => 'Farmacéutico', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Servicios profesionales y de consultoría', |  | ||||||
|     'industry_Real Estate' => 'Inmobiliario', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurante & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Minorista y mayorista', |  | ||||||
|     'industry_Sports' => 'Deportes', |  | ||||||
|     'industry_Transportation' => 'Transporte', |  | ||||||
|     'industry_Travel & Luxury' => 'Viaje y ocio', |  | ||||||
|     'industry_Other' => 'Otro', |  | ||||||
|     'industry_Photography' => 'Fotografía', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afganistán', |     'country_Afghanistan' => 'Afganistán', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2241,7 +2203,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c | |||||||
|     'invalid_file' => 'Tipo de archivo inválido', |     'invalid_file' => 'Tipo de archivo inválido', | ||||||
|     'add_documents_to_invoice' => 'Agregar documentos a la factura', |     'add_documents_to_invoice' => 'Agregar documentos a la factura', | ||||||
|     'mark_expense_paid' => 'Marcar como pagado', |     'mark_expense_paid' => 'Marcar como pagado', | ||||||
|     'white_label_license_error' => 'Error al validar la licencia, verifique "/storage/logs/laravel-error.log" para más detalles.', |     'white_label_license_error' => 'No se pudo validar la licencia, ya sea caducada o activaciones excesivas. Envíe un correo electrónico a contact@invoiceninja.com para obtener más información.', | ||||||
|     'plan_price' => 'Precio del plan', |     'plan_price' => 'Precio del plan', | ||||||
|     'wrong_confirmation' => 'Código de confirmación incorrecto', |     'wrong_confirmation' => 'Código de confirmación incorrecto', | ||||||
|     'oauth_taken' => 'La cuenta ya está registrada', |     'oauth_taken' => 'La cuenta ya está registrada', | ||||||
| @ -2440,6 +2402,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Peso Cubano', |     'currency_cuban_peso' => 'Peso Cubano', | ||||||
|  |     'currency_bz_dollar' => 'Dólar BZ', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'Esperamos que estés disfrutando con la app. <br/>Si consideras :link ¡te lo agraderemos enormemente!', |     'review_app_help' => 'Esperamos que estés disfrutando con la app. <br/>Si consideras :link ¡te lo agraderemos enormemente!', | ||||||
|     'writing_a_review' => 'escribir una reseña', |     'writing_a_review' => 'escribir una reseña', | ||||||
| @ -4219,7 +4182,6 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c | |||||||
|     'activity_104' => ':user restauró la factura recurrente nº :recurring_invoice', |     'activity_104' => ':user restauró la factura recurrente nº :recurring_invoice', | ||||||
|     'new_login_detected' => 'Se detectó un nuevo inicio de sesión en su cuenta.', |     'new_login_detected' => 'Se detectó un nuevo inicio de sesión en su cuenta.', | ||||||
|     'new_login_description' => 'Recientemente, inició sesión en su cuenta de Invoice Ninja desde una nueva ubicación o dispositivo:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'Recientemente, inició sesión en su cuenta de Invoice Ninja desde una nueva ubicación o dispositivo:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'La copia de seguridad de su empresa está lista para descargar', |  | ||||||
|     'contact_details' => 'Detalles de contacto', |     'contact_details' => 'Detalles de contacto', | ||||||
|     'download_backup_subject' => 'La copia de seguridad de su empresa está lista para descargar', |     'download_backup_subject' => 'La copia de seguridad de su empresa está lista para descargar', | ||||||
|     'account_passwordless_login' => 'Acceso de cuenta sin contraseña', |     'account_passwordless_login' => 'Acceso de cuenta sin contraseña', | ||||||
| @ -4288,6 +4250,9 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'Débito directo BECS', |     'becs' => 'Débito directo BECS', | ||||||
|  |     'bacs' => 'Débito Directo BACS', | ||||||
|  |     'payment_type_BACS' => 'Débito Directo BACS', | ||||||
|  |     'missing_payment_method' => 'Antes de intentar pagar, agregue un método de pago, ', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'Debe aceptar los términos antes de continuar.', |     'you_need_to_accept_the_terms_before_proceeding' => 'Debe aceptar los términos antes de continuar.', | ||||||
|     'direct_debit' => 'Débito directo', |     'direct_debit' => 'Débito directo', | ||||||
| @ -4341,7 +4306,6 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c | |||||||
|     'has_tasks' => 'Tiene tareas', |     'has_tasks' => 'Tiene tareas', | ||||||
|     'registration' => 'Registro', |     'registration' => 'Registro', | ||||||
|     'unauthorized_stripe_warning' => 'Autorice a Stripe para que acepte pagos en línea.', |     'unauthorized_stripe_warning' => 'Autorice a Stripe para que acepte pagos en línea.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Actualizar todos los registros', |     'update_all_records' => 'Actualizar todos los registros', | ||||||
|     'set_default_company' => 'Establecer empresa predeterminada', |     'set_default_company' => 'Establecer empresa predeterminada', | ||||||
|     'updated_company' => 'Empresa actualizada correctamente', |     'updated_company' => 'Empresa actualizada correctamente', | ||||||
| @ -4532,7 +4496,6 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c | |||||||
|     'reminder_message' => 'Recordatorio de la factura :number para :balance', |     'reminder_message' => 'Recordatorio de la factura :number para :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Enviar con credenciales de GMail no válidas', |     'gmail_credentials_invalid_subject' => 'Enviar con credenciales de GMail no válidas', | ||||||
|     'gmail_credentials_invalid_body' => 'Sus credenciales de GMail no son correctas, inicie sesión en el portal del administrador y vaya a Configuración > Detalles del usuario y desconecte y vuelva a conectar su cuenta de GMail. Le enviaremos esta notificación diariamente hasta que se resuelva este problema.', |     'gmail_credentials_invalid_body' => 'Sus credenciales de GMail no son correctas, inicie sesión en el portal del administrador y vaya a Configuración > Detalles del usuario y desconecte y vuelva a conectar su cuenta de GMail. Le enviaremos esta notificación diariamente hasta que se resuelva este problema.', | ||||||
|     'notification_invoice_sent' => 'La Factura :invoice por importe de :amount fue enviada al cliente :client.', |  | ||||||
|     'total_columns' => 'Total de campos', |     'total_columns' => 'Total de campos', | ||||||
|     'view_task' => 'Ver tarea', |     'view_task' => 'Ver tarea', | ||||||
|     'cancel_invoice' => 'Cancelar', |     'cancel_invoice' => 'Cancelar', | ||||||
| @ -4842,7 +4805,6 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c | |||||||
|     'cash_vs_accrual_help' => 'Actívelo para informes de acumulación, desactívelo para informes de caja.', |     'cash_vs_accrual_help' => 'Actívelo para informes de acumulación, desactívelo para informes de caja.', | ||||||
|     'expense_paid_report' => 'Informes de gastos', |     'expense_paid_report' => 'Informes de gastos', | ||||||
|     'expense_paid_report_help' => 'Actívelo para informar todos los gastos, desactívelo para informar solo los gastos pagados', |     'expense_paid_report_help' => 'Actívelo para informar todos los gastos, desactívelo para informar solo los gastos pagados', | ||||||
|     'payment_type_Klarna' => 'Klarna', |  | ||||||
|     'online_payment_email_help' => 'Enviar un correo electrónico cuando se realice un pago en línea', |     'online_payment_email_help' => 'Enviar un correo electrónico cuando se realice un pago en línea', | ||||||
|     'manual_payment_email_help' => 'Enviar un correo electrónico al ingresar manualmente un pago', |     'manual_payment_email_help' => 'Enviar un correo electrónico al ingresar manualmente un pago', | ||||||
|     'mark_paid_payment_email_help' => 'Enviar un correo electrónico al marcar una factura como pagada', |     'mark_paid_payment_email_help' => 'Enviar un correo electrónico al marcar una factura como pagada', | ||||||
| @ -4897,7 +4859,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c | |||||||
|     'export_company' => 'Crear copia de seguridad de la empresa', |     'export_company' => 'Crear copia de seguridad de la empresa', | ||||||
|     'backup' => 'Respaldo', |     'backup' => 'Respaldo', | ||||||
|     'notification_purchase_order_created_body' => 'El siguiente pedido_de_compra :purchase_order se creó para el proveedor :vendor por :amount.', |     'notification_purchase_order_created_body' => 'El siguiente pedido_de_compra :purchase_order se creó para el proveedor :vendor por :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Orden de compra :purchase_order fue creada para :vendor',     |     'notification_purchase_order_created_subject' => 'Orden de compra :purchase_order fue creada para :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Orden de compra :purchase_order fue enviada a :vendor', |     'notification_purchase_order_sent_subject' => 'Orden de compra :purchase_order fue enviada a :vendor', | ||||||
|     'notification_purchase_order_sent' => 'El siguiente proveedor :vendor recibió un correo electrónico con la orden de compra :purchase_order por :amount.', |     'notification_purchase_order_sent' => 'El siguiente proveedor :vendor recibió un correo electrónico con la orden de compra :purchase_order por :amount.', | ||||||
|     'subscription_blocked' => 'Este producto es un artículo restringido, comuníquese con el proveedor para obtener más información.', |     'subscription_blocked' => 'Este producto es un artículo restringido, comuníquese con el proveedor para obtener más información.', | ||||||
| @ -4941,66 +4903,108 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c | |||||||
|     'update_payment' => 'Actualizar pago', |     'update_payment' => 'Actualizar pago', | ||||||
|     'markup' => 'Margen', |     'markup' => 'Margen', | ||||||
|     'unlock_pro' => 'Desbloquear Pro', |     'unlock_pro' => 'Desbloquear Pro', | ||||||
|     'upgrade_to_paid_plan_to_schedule' => 'Upgrade to a paid plan to create schedules', |     'upgrade_to_paid_plan_to_schedule' => 'Actualice a un plan de pago para crear horarios', | ||||||
|     'next_run' => 'Next Run', |     'next_run' => 'Siguiente ejecución', | ||||||
|     'all_clients' => 'All Clients', |     'all_clients' => 'Todos los clientes', | ||||||
|     'show_aging_table' => 'Show Aging Table', |     'show_aging_table' => 'Mostrar tabla de antigüedad', | ||||||
|     'show_payments_table' => 'Show Payments Table', |     'show_payments_table' => 'Mostrar tabla de pagos', | ||||||
|     'email_statement' => 'Email Statement', |     'email_statement' => 'Estado de cuenta por correo electrónico', | ||||||
|     'once' => 'Once', |     'once' => 'Una vez', | ||||||
|     'schedules' => 'Schedules', |     'schedules' => 'Programar', | ||||||
|     'new_schedule' => 'New Schedule', |     'new_schedule' => 'Nueva programación', | ||||||
|     'edit_schedule' => 'Edit Schedule', |     'edit_schedule' => 'Editar programación', | ||||||
|     'created_schedule' => 'Successfully created schedule', |     'created_schedule' => 'Programación creado con éxito', | ||||||
|     'updated_schedule' => 'Successfully updated schedule', |     'updated_schedule' => 'Programación actualizado con éxito', | ||||||
|     'archived_schedule' => 'Successfully archived schedule', |     'archived_schedule' => 'Programación archivado con éxito', | ||||||
|     'deleted_schedule' => 'Successfully deleted schedule', |     'deleted_schedule' => 'Programación eliminada con éxito', | ||||||
|     'removed_schedule' => 'Successfully removed schedule', |     'removed_schedule' => 'Programación eliminado con éxito', | ||||||
|     'restored_schedule' => 'Successfully restored schedule', |     'restored_schedule' => 'Programación restaurada con éxito', | ||||||
|     'search_schedule' => 'Search Schedule', |     'search_schedule' => 'Buscar programación', | ||||||
|     'search_schedules' => 'Search Schedules', |     'search_schedules' => 'Buscar programaciónes', | ||||||
|     'update_product' => 'Update Product', |     'update_product' => 'Actualizar producto', | ||||||
|     'create_purchase_order' => 'Create Purchase Order', |     'create_purchase_order' => 'Crear orden de compra', | ||||||
|     'update_purchase_order' => 'Update Purchase Order', |     'update_purchase_order' => 'Actualizar orden de compra', | ||||||
|     'sent_invoice' => 'Sent Invoice', |     'sent_invoice' => 'Factura enviada', | ||||||
|     'sent_quote' => 'Sent Quote', |     'sent_quote' => 'Presupuesto enviado', | ||||||
|     'sent_credit' => 'Sent Credit', |     'sent_credit' => 'Crédito enviado', | ||||||
|     'sent_purchase_order' => 'Sent Purchase Order', |     'sent_purchase_order' => 'Orden de compra enviada', | ||||||
|     'image_url' => 'Image URL', |     'image_url' => 'URL de la imagen', | ||||||
|     'max_quantity' => 'Max Quantity', |     'max_quantity' => 'Cantidad máxima', | ||||||
|     'test_url' => 'Test URL', |     'test_url' => 'URL de prueba', | ||||||
|     'auto_bill_help_off' => 'Option is not shown', |     'auto_bill_help_off' => 'No se muestra la opción', | ||||||
|     'auto_bill_help_optin' => 'Option is shown but not selected', |     'auto_bill_help_optin' => 'La opción se muestra pero no está seleccionada', | ||||||
|     'auto_bill_help_optout' => 'Option is shown and selected', |     'auto_bill_help_optout' => 'La opción se muestra y se selecciona', | ||||||
|     'auto_bill_help_always' => 'Option is not shown', |     'auto_bill_help_always' => 'No se muestra la opción', | ||||||
|     'view_all' => 'View All', |     'view_all' => 'Ver todo', | ||||||
|     'edit_all' => 'Edit All', |     'edit_all' => 'Editar todo', | ||||||
|     'accept_purchase_order_number' => 'Accept Purchase Order Number', |     'accept_purchase_order_number' => 'Aceptar el número de orden de compra', | ||||||
|     'accept_purchase_order_number_help' => 'Enable clients to provide a PO number when approving a quote', |     'accept_purchase_order_number_help' => 'Permita que los clientes proporcionen un número de orden de compra al aprobar un presupuesto', | ||||||
|     'from_email' => 'From Email', |     'from_email' => 'Desde el e-mail', | ||||||
|     'show_preview' => 'Show Preview', |     'show_preview' => 'Mostrar vista previa', | ||||||
|     'show_paid_stamp' => 'Show Paid Stamp', |     'show_paid_stamp' => 'Mostrar sello de pago', | ||||||
|     'show_shipping_address' => 'Show Shipping Address', |     'show_shipping_address' => 'Mostrar dirección de envío', | ||||||
|     'no_documents_to_download' => 'There are no documents in the selected records to download', |     'no_documents_to_download' => 'No hay documentos en los registros seleccionados para descargar', | ||||||
|     'pixels' => 'Pixels', |     'pixels' => 'Píxeles', | ||||||
|     'logo_size' => 'Logo Size', |     'logo_size' => 'Tamaño del logotipo', | ||||||
|     'failed' => 'Failed', |     'failed' => 'Fallido', | ||||||
|     'client_contacts' => 'Client Contacts', |     'client_contacts' => 'Contactos del cliente', | ||||||
|     'sync_from' => 'Sync From', |     'sync_from' => 'sincronizar desde', | ||||||
|     'gateway_payment_text' => 'Invoices: :invoices for :amount for client :client', |     'gateway_payment_text' => 'Facturas: :invoices por importe de :amount del cliente :client', | ||||||
|     'gateway_payment_text_no_invoice' => 'Payment with no invoice for amount :amount for client :client', |     'gateway_payment_text_no_invoice' => 'Pago sin factura por importe :amount del cliente :client', | ||||||
|     'click_to_variables' => 'Client here to see all variables.', |     'click_to_variables' => 'Aquí para ver todas las variables del cliente', | ||||||
|     'ship_to' => 'Ship to', |     'ship_to' => 'Enviar a', | ||||||
|     'stripe_direct_debit_details' => 'Please transfer into the nominated bank account above.', |     'stripe_direct_debit_details' => 'Por favor transfiera a la cuenta bancaria designada arriba.', | ||||||
|     'branch_name' => 'Branch Name', |     'branch_name' => 'Nombre de la sucursal', | ||||||
|     'branch_code' => 'Branch Code', |     'branch_code' => 'Código de sucursal', | ||||||
|     'bank_name' => 'Bank Name', |     'bank_name' => 'Nombre del banco', | ||||||
|     'bank_code' => 'Bank Code', |     'bank_code' => 'Codigo bancario', | ||||||
|     'bic' => 'BIC', |     'bic' => 'BIC', | ||||||
|     'change_plan_description' => 'Upgrade or downgrade your current plan.', |     'change_plan_description' => 'Mejora o degrada tu plan actual.', | ||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Añadir logotipo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Añadir Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Cupón no válido', | ||||||
|  |     'no_assigned_tasks' => 'No hay tareas facturables para este proyecto', | ||||||
|  |     'authorization_failure' => 'Permisos insuficientes para realizar esta acción', | ||||||
|  |     'authorization_sms_failure' => 'Por favor verifique su cuenta para enviar correos electrónicos.', | ||||||
|  |     'white_label_body' => 'Gracias por comprar una licencia de marca blanca.<br><br> Su clave de licencia es:<br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Prepago', | ||||||
|  |     'number_of_payments' => 'Numero de pagos', | ||||||
|  |     'number_of_payments_helper' => 'El número de veces que se realizará este pago.', | ||||||
|  |     'pre_payment_indefinitely' => 'Continuar hasta cancelar', | ||||||
|  |     'notification_payment_emailed' => 'El pago :payment se envió por correo electrónico a :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'El pago :payment fue enviado por correo electrónico', | ||||||
|  |     'record_not_found' => 'Registro no encontrado', | ||||||
|  |     'product_tax_exempt' => 'Producto exento de impuestos', | ||||||
|  |     'product_type_physical' => 'Bienes físicos', | ||||||
|  |     'product_type_digital' => 'Bienes digitales', | ||||||
|  |     'product_type_service' => 'Servicios', | ||||||
|  |     'product_type_freight' => 'Envío', | ||||||
|  |     'minimum_payment_amount' => 'Importe mínimo de pago', | ||||||
|  |     'client_initiated_payments' => 'Pagos iniciados por el cliente', | ||||||
|  |     'client_initiated_payments_help' => 'Soporte para realizar un pago en el portal del cliente sin factura', | ||||||
|  |     'share_invoice_quote_columns' => 'Compartir columnas de factura/presupuesto', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Saldo de pago', | ||||||
|  |     'view_report_permission' => 'Permita que el usuario acceda a los informes, los datos están limitados a los permisos disponibles', | ||||||
|  |     'activity_138' => 'El pago :payment se envió por correo electrónico a :client', | ||||||
|  |     'one_time_products' => 'Productos únicos', | ||||||
|  |     'optional_one_time_products' => 'Productos opcionales de una sola vez', | ||||||
|  |     'required' => 'Requerido', | ||||||
|  |     'hidden' => 'Oculto', | ||||||
|  |     'payment_links' => 'Enlaces de pago', | ||||||
|  |     'payment_link' => 'Enlace de pago', | ||||||
|  |     'new_payment_link' => 'Nuevo enlace de pago', | ||||||
|  |     'edit_payment_link' => 'Editar enlace de pago', | ||||||
|  |     'created_payment_link' => 'Enlace de pago creado con éxito', | ||||||
|  |     'updated_payment_link' => 'Enlace de pago actualizado con éxito', | ||||||
|  |     'archived_payment_link' => 'Enlace de pago archivado con éxito', | ||||||
|  |     'deleted_payment_link' => 'Enlace de pago eliminado con éxito', | ||||||
|  |     'removed_payment_link' => 'Enlace de pago eliminado con éxito', | ||||||
|  |     'restored_payment_link' => 'Enlace de pago restaurado con éxito', | ||||||
|  |     'search_payment_link' => 'Buscar 1 enlace de pago', | ||||||
|  |     'search_payment_links' => 'Buscar :count enlaces de pago', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -175,7 +175,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Makse Gateway', |     'payment_gateway' => 'Makse Gateway', | ||||||
|     'gateway_id' => 'Lüüs', |     'gateway_id' => 'Lüüs', | ||||||
|     'email_notifications' => 'E-posti Teated', |     'email_notifications' => 'E-posti Teated', | ||||||
|     'email_sent' => 'Saada mulle E-kiri, kui arve <b>saadetakse</b>', |  | ||||||
|     'email_viewed' => 'Saada mulle E-kiri, kui arvet <b>vaadatakse</b>', |     'email_viewed' => 'Saada mulle E-kiri, kui arvet <b>vaadatakse</b>', | ||||||
|     'email_paid' => 'Saada mulle E-kiri, kui arve <b>tasutakse</b>', |     'email_paid' => 'Saada mulle E-kiri, kui arve <b>tasutakse</b>', | ||||||
|     'site_updates' => 'Saidi värskendused', |     'site_updates' => 'Saidi värskendused', | ||||||
| @ -904,8 +903,6 @@ $LANG = array( | |||||||
|     'expense' => 'Kulu', |     'expense' => 'Kulu', | ||||||
|     'expenses' => 'Kulud', |     'expenses' => 'Kulud', | ||||||
|     'new_expense' => 'Sisestage kulu', |     'new_expense' => 'Sisestage kulu', | ||||||
|     'enter_expense' => 'Sisestage kulu', |  | ||||||
|     'vendors' => 'Tarnijad', |  | ||||||
|     'new_vendor' => 'Uus Tarnija', |     'new_vendor' => 'Uus Tarnija', | ||||||
|     'payment_terms_net' => 'Neto', |     'payment_terms_net' => 'Neto', | ||||||
|     'vendor' => 'Tarnija', |     'vendor' => 'Tarnija', | ||||||
| @ -1188,7 +1185,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plaan alanud', |     'plan_started' => 'Plaan alanud', | ||||||
|     'plan_expires' => 'Plaan aegub', |     'plan_expires' => 'Plaan aegub', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'Brändivaba', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Üheaastane registreerumine Invoice Ninja Pro paketiga.', |     'pro_plan_year_description' => 'Üheaastane registreerumine Invoice Ninja Pro paketiga.', | ||||||
|     'pro_plan_month_description' => 'Ühekuuline registreerumine Invoice Ninja Pro paketiga.', |     'pro_plan_month_description' => 'Ühekuuline registreerumine Invoice Ninja Pro paketiga.', | ||||||
| @ -1200,7 +1197,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Lülitub igakuisele kuupäeval :date', |     'plan_pending_monthly' => 'Lülitub igakuisele kuupäeval :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Reaalajas eelvaade', |  | ||||||
|     'page_size' => 'Lehekülje suurus', |     'page_size' => 'Lehekülje suurus', | ||||||
|     'live_preview_disabled' => 'Reaalajas eelvaade on valitud fondi toetamiseks keelatud', |     'live_preview_disabled' => 'Reaalajas eelvaade on valitud fondi toetamiseks keelatud', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1456,40 +1452,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Raamatupidamine & Õigusabi', |  | ||||||
|     'industry_Advertising' => 'Reklaamimine', |  | ||||||
|     'industry_Aerospace' => 'Õhusõidukitöös', |  | ||||||
|     'industry_Agriculture' => 'Põllumajandus', |  | ||||||
|     'industry_Automotive' => 'Autotööstus', |  | ||||||
|     'industry_Banking & Finance' => 'Pangandus & Finants', |  | ||||||
|     'industry_Biotechnology' => 'Biotehnoloogia', |  | ||||||
|     'industry_Broadcasting' => 'Ringhääling', |  | ||||||
|     'industry_Business Services' => 'Ettevõtlusteenused', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Laiaterbekaubad & Kemikaalid', |  | ||||||
|     'industry_Communications' => 'Side', |  | ||||||
|     'industry_Computers & Hightech' => 'Arvutid & Kõrgtehnoloogia', |  | ||||||
|     'industry_Defense' => 'Kaitsetööstus', |  | ||||||
|     'industry_Energy' => 'Energiatööstus', |  | ||||||
|     'industry_Entertainment' => 'Meelelahutus', |  | ||||||
|     'industry_Government' => 'Valitsus', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Tervishoiuteenused', |  | ||||||
|     'industry_Insurance' => 'Kindlustus', |  | ||||||
|     'industry_Manufacturing' => 'Tootmine', |  | ||||||
|     'industry_Marketing' => 'Turundus', |  | ||||||
|     'industry_Media' => 'Meedia', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Mittetulundus', |  | ||||||
|     'industry_Pharmaceuticals' => 'Ravimitööstus', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Konsultatsioon', |  | ||||||
|     'industry_Real Estate' => 'Kinnisvara', |  | ||||||
|     'industry_Restaurant & Catering' => 'Toitlustus', |  | ||||||
|     'industry_Retail & Wholesale' => 'Jae- ja Hulgimüük ', |  | ||||||
|     'industry_Sports' => 'Sport', |  | ||||||
|     'industry_Transportation' => 'Transport', |  | ||||||
|     'industry_Travel & Luxury' => 'Reisimine & Luksus', |  | ||||||
|     'industry_Other' => 'Muu', |  | ||||||
|     'industry_Photography' => 'Fotograafia', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afganistan', |     'country_Afghanistan' => 'Afganistan', | ||||||
|     'country_Albania' => 'Albaania', |     'country_Albania' => 'Albaania', | ||||||
| @ -2248,7 +2210,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Kehtetu failitüüp', |     'invalid_file' => 'Kehtetu failitüüp', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Märgi makstuks', |     'mark_expense_paid' => 'Märgi makstuks', | ||||||
|     'white_label_license_error' => 'Litsentsi kinnitamine ebaõnnestus, lisateabe saamiseks vaadake storage/logs/laravel-error.log.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Paketi Hind', |     'plan_price' => 'Paketi Hind', | ||||||
|     'wrong_confirmation' => 'Vale kinnituskood', |     'wrong_confirmation' => 'Vale kinnituskood', | ||||||
|     'oauth_taken' => 'Konto on juba registreeritud', |     'oauth_taken' => 'Konto on juba registreeritud', | ||||||
| @ -2447,6 +2409,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Kuuba peeso', |     'currency_cuban_peso' => 'Kuuba peeso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'Loodame, et teile meeldib rakenduse kasutamine.<br/>Kui kaaluksite :link, oleksime selle eest väga tänulikud!', |     'review_app_help' => 'Loodame, et teile meeldib rakenduse kasutamine.<br/>Kui kaaluksite :link, oleksime selle eest väga tänulikud!', | ||||||
|     'writing_a_review' => 'arvustuse kirjutamine', |     'writing_a_review' => 'arvustuse kirjutamine', | ||||||
| @ -4226,7 +4189,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'Teie kontol tuvastati uus sisselogimine.', |     'new_login_detected' => 'Teie kontol tuvastati uus sisselogimine.', | ||||||
|     'new_login_description' => 'Logisite hiljuti oma Invoice Ninja kontole sisse uuest asukohast või seadmest:<br><br><b>IP:</b> :ip<br><b>Aeg:</b> : time<br><b>E-post:</b> :email', |     'new_login_description' => 'Logisite hiljuti oma Invoice Ninja kontole sisse uuest asukohast või seadmest:<br><br><b>IP:</b> :ip<br><b>Aeg:</b> : time<br><b>E-post:</b> :email', | ||||||
|     'download_backup_subject' => 'Teie ettevõtte varukoopia on allalaadimiseks valmis', |  | ||||||
|     'contact_details' => 'Kontaktandmed', |     'contact_details' => 'Kontaktandmed', | ||||||
|     'download_backup_subject' => 'Teie ettevõtte varukoopia on allalaadimiseks valmis', |     'download_backup_subject' => 'Teie ettevõtte varukoopia on allalaadimiseks valmis', | ||||||
|     'account_passwordless_login' => 'Paroolita kontoga sisselogimine', |     'account_passwordless_login' => 'Paroolita kontoga sisselogimine', | ||||||
| @ -4295,6 +4257,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS otsekorraldus', |     'becs' => 'BECS otsekorraldus', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'Enne jätkamist peate tingimustega nõustuma.', |     'you_need_to_accept_the_terms_before_proceeding' => 'Enne jätkamist peate tingimustega nõustuma.', | ||||||
|     'direct_debit' => 'Otsekorraldusega', |     'direct_debit' => 'Otsekorraldusega', | ||||||
| @ -4348,7 +4313,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registreerimine', |     'registration' => 'Registreerimine', | ||||||
|     'unauthorized_stripe_warning' => 'Volitage Stripe võrgumakseid vastu võtma.', |     'unauthorized_stripe_warning' => 'Volitage Stripe võrgumakseid vastu võtma.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Värskendage kõiki kirjeid', |     'update_all_records' => 'Värskendage kõiki kirjeid', | ||||||
|     'set_default_company' => 'Määrake vaikeettevõte', |     'set_default_company' => 'Määrake vaikeettevõte', | ||||||
|     'updated_company' => 'Ettevõtte värskendamine õnnestus', |     'updated_company' => 'Ettevõtte värskendamine õnnestus', | ||||||
| @ -4539,7 +4503,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Antud kliendile :client saadeti meili teel arve :invoice summas :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4849,7 +4812,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4904,7 +4866,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5008,6 +4970,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Payment Gateway', |     'payment_gateway' => 'Payment Gateway', | ||||||
|     'gateway_id' => 'Gateway', |     'gateway_id' => 'Gateway', | ||||||
|     'email_notifications' => 'Email Notifications', |     'email_notifications' => 'Email Notifications', | ||||||
|     'email_sent' => 'Email me when an invoice is <b>sent</b>', |  | ||||||
|     'email_viewed' => 'Email me when an invoice is <b>viewed</b>', |     'email_viewed' => 'Email me when an invoice is <b>viewed</b>', | ||||||
|     'email_paid' => 'Email me when an invoice is <b>paid</b>', |     'email_paid' => 'Email me when an invoice is <b>paid</b>', | ||||||
|     'site_updates' => 'Site Updates', |     'site_updates' => 'Site Updates', | ||||||
| @ -907,8 +906,6 @@ $LANG = array( | |||||||
|     'expense' => 'Expense', |     'expense' => 'Expense', | ||||||
|     'expenses' => 'Expenses', |     'expenses' => 'Expenses', | ||||||
|     'new_expense' => 'Enter Expense', |     'new_expense' => 'Enter Expense', | ||||||
|     'enter_expense' => 'Enter Expense', |  | ||||||
|     'vendors' => 'Vendors', |  | ||||||
|     'new_vendor' => 'New Vendor', |     'new_vendor' => 'New Vendor', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Vendor', |     'vendor' => 'Vendor', | ||||||
| @ -1191,7 +1188,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1203,7 +1200,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live Preview', |  | ||||||
|     'page_size' => 'Page Size', |     'page_size' => 'Page Size', | ||||||
|     'live_preview_disabled' => 'Live preview has been disabled to support selected font', |     'live_preview_disabled' => 'Live preview has been disabled to support selected font', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1460,40 +1456,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Accounting & Legal', |  | ||||||
|     'industry_Advertising' => 'Advertising', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automotive', |  | ||||||
|     'industry_Banking & Finance' => 'Banking & Finance', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnology', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Business Services', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Chemicals', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers & Hightech', |  | ||||||
|     'industry_Defense' => 'Defense', |  | ||||||
|     'industry_Energy' => 'Energy', |  | ||||||
|     'industry_Entertainment' => 'Entertainment', |  | ||||||
|     'industry_Government' => 'Government', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Insurance', |  | ||||||
|     'industry_Manufacturing' => 'Manufacturing', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceuticals', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professional Services & Consulting', |  | ||||||
|     'industry_Real Estate' => 'Real Estate', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Retail & Wholesale', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transportation', |  | ||||||
|     'industry_Travel & Luxury' => 'Travel & Luxury', |  | ||||||
|     'industry_Other' => 'Other', |  | ||||||
|     'industry_Photography' => 'Photography', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2251,7 +2213,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Invalid file type', |     'invalid_file' => 'Invalid file type', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Mark paid', |     'mark_expense_paid' => 'Mark paid', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation code', |     'wrong_confirmation' => 'Incorrect confirmation code', | ||||||
|     'oauth_taken' => 'The account is already registered', |     'oauth_taken' => 'The account is already registered', | ||||||
| @ -2450,6 +2412,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4229,7 +4192,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4298,6 +4260,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4351,7 +4316,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4542,7 +4506,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'The following client :client was emailed Invoice :invoice for :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4852,7 +4815,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4907,7 +4869,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5011,6 +4973,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Maksuterminaali', |     'payment_gateway' => 'Maksuterminaali', | ||||||
|     'gateway_id' => 'Terminaali', |     'gateway_id' => 'Terminaali', | ||||||
|     'email_notifications' => 'Sähköposti ilmoitukset', |     'email_notifications' => 'Sähköposti ilmoitukset', | ||||||
|     'email_sent' => 'Lähetä minulle sähköposti, kun lasku on <b>lähetetty</b>', |  | ||||||
|     'email_viewed' => 'Lähetä minulle sähköposti, kun lasku on <b>nähty</b>', |     'email_viewed' => 'Lähetä minulle sähköposti, kun lasku on <b>nähty</b>', | ||||||
|     'email_paid' => 'Lähetä minulle sähköposti, kun lasku on <b>maksettu</b>', |     'email_paid' => 'Lähetä minulle sähköposti, kun lasku on <b>maksettu</b>', | ||||||
|     'site_updates' => 'Sivun päivitys', |     'site_updates' => 'Sivun päivitys', | ||||||
| @ -907,8 +906,6 @@ $LANG = array( | |||||||
|     'expense' => 'Kulu', |     'expense' => 'Kulu', | ||||||
|     'expenses' => 'Kulut', |     'expenses' => 'Kulut', | ||||||
|     'new_expense' => 'Lisää kulu', |     'new_expense' => 'Lisää kulu', | ||||||
|     'enter_expense' => 'Lisää kulu', |  | ||||||
|     'vendors' => 'Kauppiaat', |  | ||||||
|     'new_vendor' => 'Uusi kauppias', |     'new_vendor' => 'Uusi kauppias', | ||||||
|     'payment_terms_net' => 'Netto', |     'payment_terms_net' => 'Netto', | ||||||
|     'vendor' => 'Kauppias', |     'vendor' => 'Kauppias', | ||||||
| @ -1191,7 +1188,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in  Lasku Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in  Lasku Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One kuukausi enrollment in  Lasku Ninja Pro Plan.', |     'pro_plan_month_description' => 'One kuukausi enrollment in  Lasku Ninja Pro Plan.', | ||||||
| @ -1203,7 +1200,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Will switch  kuukaisittain on :päivämäärä', |     'plan_pending_monthly' => 'Will switch  kuukaisittain on :päivämäärä', | ||||||
|     'plan_refunded' => 'A hyvitys on issued.', |     'plan_refunded' => 'A hyvitys on issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Näytä esikatselu', |  | ||||||
|     'page_size' => 'Sivukoko', |     'page_size' => 'Sivukoko', | ||||||
|     'live_preview_disabled' => 'Live preview on pois käytöstä  support selected font', |     'live_preview_disabled' => 'Live preview on pois käytöstä  support selected font', | ||||||
|     'invoice_number_padding' => 'Tyhjä tila', |     'invoice_number_padding' => 'Tyhjä tila', | ||||||
| @ -1460,40 +1456,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Taloushallinto & Lakiasiat', |  | ||||||
|     'industry_Advertising' => 'Markkinointi', |  | ||||||
|     'industry_Aerospace' => 'Ilmailu', |  | ||||||
|     'industry_Agriculture' => 'Maatalous', |  | ||||||
|     'industry_Automotive' => 'Ajoneuvot', |  | ||||||
|     'industry_Banking & Finance' => 'Pankki & Rahoitus', |  | ||||||
|     'industry_Biotechnology' => 'Bioteknologia', |  | ||||||
|     'industry_Broadcasting' => 'Radio, TV ym. lähetykset', |  | ||||||
|     'industry_Business Services' => 'Yritysten palvelut', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Hyödykkeet & Kemikaalit', |  | ||||||
|     'industry_Communications' => 'Viestintä', |  | ||||||
|     'industry_Computers & Hightech' => 'Tietokoneet & Hightech', |  | ||||||
|     'industry_Defense' => 'Puolustus', |  | ||||||
|     'industry_Energy' => 'Energia', |  | ||||||
|     'industry_Entertainment' => 'Viihde', |  | ||||||
|     'industry_Government' => 'Julkinen sektori', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Terveydenhuolto & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Vakuutus', |  | ||||||
|     'industry_Manufacturing' => 'Valmistus', |  | ||||||
|     'industry_Marketing' => 'Markkinointi', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Apteekit ja lääkeala', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Vaativat ammattilaispalvelut & konsultointi', |  | ||||||
|     'industry_Real Estate' => 'Kiinteistönvälitys', |  | ||||||
|     'industry_Restaurant & Catering' => 'Ravintolat ja pitopalvelut', |  | ||||||
|     'industry_Retail & Wholesale' => 'Vähittäis & Tukkukauppa', |  | ||||||
|     'industry_Sports' => 'Urheilu', |  | ||||||
|     'industry_Transportation' => 'Kuljetus', |  | ||||||
|     'industry_Travel & Luxury' => 'Matkailu & Luksus', |  | ||||||
|     'industry_Other' => 'Muu', |  | ||||||
|     'industry_Photography' => 'Valokuvaus', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2251,7 +2213,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'epäkelpo tiedosto tyyppi', |     'invalid_file' => 'epäkelpo tiedosto tyyppi', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Merkitse maksetuksi', |     'mark_expense_paid' => 'Merkitse maksetuksi', | ||||||
|     'white_label_license_error' => 'Failed  validate  lisenssi, tarkista storage/logs/laravel-virhe.log  more tiedot.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Paketin hinta', |     'plan_price' => 'Paketin hinta', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation koodi', |     'wrong_confirmation' => 'Incorrect confirmation koodi', | ||||||
|     'oauth_taken' => 'The tili is already registered', |     'oauth_taken' => 'The tili is already registered', | ||||||
| @ -2450,6 +2412,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using  app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using  app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing  review', |     'writing_a_review' => 'writing  review', | ||||||
| @ -4229,7 +4192,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Yhteystiedon yksityiskohdat', |     'contact_details' => 'Yhteystiedon yksityiskohdat', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4298,6 +4260,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'Sinun täytyy hyväksyä ehdot jatkaaksesi.', |     'you_need_to_accept_the_terms_before_proceeding' => 'Sinun täytyy hyväksyä ehdot jatkaaksesi.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4351,7 +4316,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Rekisteröinti', |     'registration' => 'Rekisteröinti', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4542,7 +4506,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Asiakkaalle :client lähetettiin lasku :invoice summalla :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4852,7 +4815,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4907,7 +4869,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5011,6 +4973,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Passerelle de paiement', |     'payment_gateway' => 'Passerelle de paiement', | ||||||
|     'gateway_id' => 'Fournisseur', |     'gateway_id' => 'Fournisseur', | ||||||
|     'email_notifications' => 'Notifications par e-mail', |     'email_notifications' => 'Notifications par e-mail', | ||||||
|     'email_sent' => 'M\'envoyer un e-mail quand une facture est <b>envoyée</b>', |  | ||||||
|     'email_viewed' => 'M\'envoyer un e-mail quand une facture est <b>vue</b>', |     'email_viewed' => 'M\'envoyer un e-mail quand une facture est <b>vue</b>', | ||||||
|     'email_paid' => 'M\'envoyer un e-mail quand une facture est <b>payée</b>', |     'email_paid' => 'M\'envoyer un e-mail quand une facture est <b>payée</b>', | ||||||
|     'site_updates' => 'Mises à jour du site', |     'site_updates' => 'Mises à jour du site', | ||||||
| @ -901,8 +900,6 @@ $LANG = array( | |||||||
|     'expense' => 'Dépense', |     'expense' => 'Dépense', | ||||||
|     'expenses' => 'Dépenses', |     'expenses' => 'Dépenses', | ||||||
|     'new_expense' => 'Saisir une dépense', |     'new_expense' => 'Saisir une dépense', | ||||||
|     'enter_expense' => 'Nouvelle dépense', |  | ||||||
|     'vendors' => 'Fournisseurs', |  | ||||||
|     'new_vendor' => 'Nouveau fournisseur', |     'new_vendor' => 'Nouveau fournisseur', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Fournisseur', |     'vendor' => 'Fournisseur', | ||||||
| @ -1185,7 +1182,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Début du Plan', |     'plan_started' => 'Début du Plan', | ||||||
|     'plan_expires' => 'Fin du Plan', |     'plan_expires' => 'Fin du Plan', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'Marque blanche', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Engagement d\'un an dans le Plan Invoice Ninja Pro.', |     'pro_plan_year_description' => 'Engagement d\'un an dans le Plan Invoice Ninja Pro.', | ||||||
|     'pro_plan_month_description' => 'Engagement d\'un mois dans le Plan Invoice Ninja Pro.', |     'pro_plan_month_description' => 'Engagement d\'un mois dans le Plan Invoice Ninja Pro.', | ||||||
| @ -1197,7 +1194,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Basculera en mensuel le :date', |     'plan_pending_monthly' => 'Basculera en mensuel le :date', | ||||||
|     'plan_refunded' => 'Un remboursement a été émis.', |     'plan_refunded' => 'Un remboursement a été émis.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Aperçu', |  | ||||||
|     'page_size' => 'Taille de Page', |     'page_size' => 'Taille de Page', | ||||||
|     'live_preview_disabled' => 'L\'aperçu en direct a été désactivé pour prendre en charge la police sélectionnée', |     'live_preview_disabled' => 'L\'aperçu en direct a été désactivé pour prendre en charge la police sélectionnée', | ||||||
|     'invoice_number_padding' => 'Remplissage', |     'invoice_number_padding' => 'Remplissage', | ||||||
| @ -1423,7 +1419,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
| 
 | 
 | ||||||
|     // Payment types
 |     // Payment types
 | ||||||
|     'payment_type_Apply Credit' => 'Appliquer le crédit', |     'payment_type_Apply Credit' => 'Appliquer le crédit', | ||||||
|     'payment_type_Bank Transfer' => 'Transfert bancaire', |     'payment_type_Bank Transfer' => 'Virement bancaire', | ||||||
|     'payment_type_Cash' => 'Espèces', |     'payment_type_Cash' => 'Espèces', | ||||||
|     'payment_type_Debit' => 'Débit', |     'payment_type_Debit' => 'Débit', | ||||||
|     'payment_type_ACH' => 'ACH', |     'payment_type_ACH' => 'ACH', | ||||||
| @ -1454,40 +1450,6 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Comptabilité & Légal', |  | ||||||
|     'industry_Advertising' => 'Publicité', |  | ||||||
|     'industry_Aerospace' => 'Aérospatial', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automobile', |  | ||||||
|     'industry_Banking & Finance' => 'Banques & Finances', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnologie', |  | ||||||
|     'industry_Broadcasting' => 'Médiadiffusion', |  | ||||||
|     'industry_Business Services' => 'Services aux entreprises', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Produits chimiques', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Informatique & Hightech', |  | ||||||
|     'industry_Defense' => 'Défense', |  | ||||||
|     'industry_Energy' => 'Energie', |  | ||||||
|     'industry_Entertainment' => 'Divertissement', |  | ||||||
|     'industry_Government' => 'Gouvernement', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Santé et sciences de la vie', |  | ||||||
|     'industry_Insurance' => 'Assurances', |  | ||||||
|     'industry_Manufacturing' => 'Production', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Médias', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Organisme sans but lucratif & Enseignement supérieur', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceutique', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Services Professionnels et Conseil', |  | ||||||
|     'industry_Real Estate' => 'Immobilier', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Traiteur', |  | ||||||
|     'industry_Retail & Wholesale' => 'Détail & Grossiste', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transport', |  | ||||||
|     'industry_Travel & Luxury' => 'Voyage & Luxe', |  | ||||||
|     'industry_Other' => 'Autres', |  | ||||||
|     'industry_Photography' => 'Photographie', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albanie', |     'country_Albania' => 'Albanie', | ||||||
| @ -2245,7 +2207,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'invalid_file' => 'Type de fichier invalide', |     'invalid_file' => 'Type de fichier invalide', | ||||||
|     'add_documents_to_invoice' => 'Ajouter des documents à la facture', |     'add_documents_to_invoice' => 'Ajouter des documents à la facture', | ||||||
|     'mark_expense_paid' => 'Marquer payé', |     'mark_expense_paid' => 'Marquer payé', | ||||||
|     'white_label_license_error' => 'Validation de licence échouée, vérifier storage/logs/laravel-error.log pour plus de détails.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Prix du Plan', |     'plan_price' => 'Prix du Plan', | ||||||
|     'wrong_confirmation' => 'Code de confirmation incorrect', |     'wrong_confirmation' => 'Code de confirmation incorrect', | ||||||
|     'oauth_taken' => 'Le compte est déjà enregistré', |     'oauth_taken' => 'Le compte est déjà enregistré', | ||||||
| @ -2444,6 +2406,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu vatu', |     'currency_vanuatu_vatu' => 'Vanuatu vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Peso colombien', |     'currency_cuban_peso' => 'Peso colombien', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'Nous espérons que votre utilisation de cette application vous est agréable.<br/>Un commentaire de votre part serait grandement apprécié!', |     'review_app_help' => 'Nous espérons que votre utilisation de cette application vous est agréable.<br/>Un commentaire de votre part serait grandement apprécié!', | ||||||
|     'writing_a_review' => 'écrire un commentaire', |     'writing_a_review' => 'écrire un commentaire', | ||||||
| @ -3950,7 +3913,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|      'cancellation_warning' => 'Attention ! Vous êtes sur le point de résilier cette formule. Votre service pourrait être résilié sans aucune autre notification.', |      'cancellation_warning' => 'Attention ! Vous êtes sur le point de résilier cette formule. Votre service pourrait être résilié sans aucune autre notification.', | ||||||
|      'cancellation_pending' => 'Cancellation pending, we\'ll be in touch!', |      'cancellation_pending' => 'Cancellation pending, we\'ll be in touch!', | ||||||
|      'list_of_payments' => 'Liste des paiements', |      'list_of_payments' => 'Liste des paiements', | ||||||
|      'payment_details' => 'Details of the payment', |      'payment_details' => 'Détails du paiement', | ||||||
|      'list_of_payment_invoices' => 'Liste des factures affectées par le paiement', |      'list_of_payment_invoices' => 'Liste des factures affectées par le paiement', | ||||||
|      'list_of_payment_methods' => 'Liste des moyens de paiement', |      'list_of_payment_methods' => 'Liste des moyens de paiement', | ||||||
|      'payment_method_details' => 'Details of payment method', |      'payment_method_details' => 'Details of payment method', | ||||||
| @ -4223,7 +4186,6 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Informations du contact', |     'contact_details' => 'Informations du contact', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4292,9 +4254,12 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Prélèvement', | ||||||
|     'clone_to_expense' => 'Clone to Expense', |     'clone_to_expense' => 'Clone to Expense', | ||||||
|     'checkout' => 'Finaliser la commande', |     'checkout' => 'Finaliser la commande', | ||||||
|     'acss' => 'Pre-authorized debit payments', |     'acss' => 'Pre-authorized debit payments', | ||||||
| @ -4312,7 +4277,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'payment_type_Hosted Page' => 'Hosted Page', |     'payment_type_Hosted Page' => 'Hosted Page', | ||||||
|     'payment_type_GiroPay' => 'GiroPay', |     'payment_type_GiroPay' => 'GiroPay', | ||||||
|     'payment_type_EPS' => 'EPS', |     'payment_type_EPS' => 'EPS', | ||||||
|     'payment_type_Direct Debit' => 'Direct Debit', |     'payment_type_Direct Debit' => 'Prélèvement', | ||||||
|     'payment_type_Bancontact' => 'Bancontact', |     'payment_type_Bancontact' => 'Bancontact', | ||||||
|     'payment_type_BECS' => 'BECS', |     'payment_type_BECS' => 'BECS', | ||||||
|     'payment_type_ACSS' => 'ACSS', |     'payment_type_ACSS' => 'ACSS', | ||||||
| @ -4345,7 +4310,6 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Inscription', |     'registration' => 'Inscription', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4536,7 +4500,6 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Le client :client a reçu par e-mail la facture :invoice d\'un montant de :amount', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4846,7 +4809,6 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4901,7 +4863,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -4995,7 +4957,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'gateway_payment_text_no_invoice' => 'Payment with no invoice for amount :amount for client :client', |     'gateway_payment_text_no_invoice' => 'Payment with no invoice for amount :amount for client :client', | ||||||
|     'click_to_variables' => 'Client here to see all variables.', |     'click_to_variables' => 'Client here to see all variables.', | ||||||
|     'ship_to' => 'Ship to', |     'ship_to' => 'Ship to', | ||||||
|     'stripe_direct_debit_details' => 'Please transfer into the nominated bank account above.', |     'stripe_direct_debit_details' => 'Veuillez transférer le montant sur le compte ci-dessus.', | ||||||
|     'branch_name' => 'Branch Name', |     'branch_name' => 'Branch Name', | ||||||
|     'branch_code' => 'Branch Code', |     'branch_code' => 'Branch Code', | ||||||
|     'bank_name' => 'Bank Name', |     'bank_name' => 'Bank Name', | ||||||
| @ -5005,6 +4967,48 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Passerelle de paiement', |     'payment_gateway' => 'Passerelle de paiement', | ||||||
|     'gateway_id' => 'Passerelle', |     'gateway_id' => 'Passerelle', | ||||||
|     'email_notifications' => 'Notifications par courriel', |     'email_notifications' => 'Notifications par courriel', | ||||||
|     'email_sent' => 'M\'envoyer un courriel quand une facture est <b>envoyée</b>', |  | ||||||
|     'email_viewed' => 'M\'envoyer un courriel quand une facture est <b>vue</b>', |     'email_viewed' => 'M\'envoyer un courriel quand une facture est <b>vue</b>', | ||||||
|     'email_paid' => 'M\'envoyer un courriel quand une facture est <b>payée</b>', |     'email_paid' => 'M\'envoyer un courriel quand une facture est <b>payée</b>', | ||||||
|     'site_updates' => 'Mises à jour du site', |     'site_updates' => 'Mises à jour du site', | ||||||
| @ -901,8 +900,6 @@ $LANG = array( | |||||||
|     'expense' => 'Dépense', |     'expense' => 'Dépense', | ||||||
|     'expenses' => 'Dépenses', |     'expenses' => 'Dépenses', | ||||||
|     'new_expense' => 'Entrer une dépense', |     'new_expense' => 'Entrer une dépense', | ||||||
|     'enter_expense' => 'Nouvelle dépense', |  | ||||||
|     'vendors' => 'Fournisseurs', |  | ||||||
|     'new_vendor' => 'Nouveau fournisseur', |     'new_vendor' => 'Nouveau fournisseur', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Fournisseur', |     'vendor' => 'Fournisseur', | ||||||
| @ -1182,7 +1179,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan depuis le', |     'plan_started' => 'Plan depuis le', | ||||||
|     'plan_expires' => 'Plan expire le', |     'plan_expires' => 'Plan expire le', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'Sans marque', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Abonnement à une année du plan Invoice Ninja Pro.', |     'pro_plan_year_description' => 'Abonnement à une année du plan Invoice Ninja Pro.', | ||||||
|     'pro_plan_month_description' => 'Abonnement à un mois du plan Invoice Ninja Pro.', |     'pro_plan_month_description' => 'Abonnement à un mois du plan Invoice Ninja Pro.', | ||||||
| @ -1194,7 +1191,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Passer au plan mensuel le :date', |     'plan_pending_monthly' => 'Passer au plan mensuel le :date', | ||||||
|     'plan_refunded' => 'Un remboursement vous a été émis.', |     'plan_refunded' => 'Un remboursement vous a été émis.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'PRÉVISUALISATION', |  | ||||||
|     'page_size' => 'Taille de page', |     'page_size' => 'Taille de page', | ||||||
|     'live_preview_disabled' => 'La prévisualisation en direct a été désactivée pour cette police', |     'live_preview_disabled' => 'La prévisualisation en direct a été désactivée pour cette police', | ||||||
|     'invoice_number_padding' => 'Remplissage (padding)', |     'invoice_number_padding' => 'Remplissage (padding)', | ||||||
| @ -1451,40 +1447,6 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Administration', |  | ||||||
|     'industry_Advertising' => 'Publicité', |  | ||||||
|     'industry_Aerospace' => 'Aérospatial', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automobile', |  | ||||||
|     'industry_Banking & Finance' => 'Finances', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnologie', |  | ||||||
|     'industry_Broadcasting' => 'Médiadiffusion', |  | ||||||
|     'industry_Business Services' => 'Services aux entreprises', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Matières premières', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Électronique', |  | ||||||
|     'industry_Defense' => 'Défense', |  | ||||||
|     'industry_Energy' => 'Energie', |  | ||||||
|     'industry_Entertainment' => 'Divertissement', |  | ||||||
|     'industry_Government' => 'Gouvernement', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Santé', |  | ||||||
|     'industry_Insurance' => 'Assurance', |  | ||||||
|     'industry_Manufacturing' => 'Industrie manufacturière', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Médias', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Organisme sans but lucratif', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceutique', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Services Professionnels et Conseil', |  | ||||||
|     'industry_Real Estate' => 'Immobilier', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restauration', |  | ||||||
|     'industry_Retail & Wholesale' => 'Détail en gros', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transport', |  | ||||||
|     'industry_Travel & Luxury' => 'Voyage', |  | ||||||
|     'industry_Other' => 'Autre', |  | ||||||
|     'industry_Photography' => 'Photographie', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albanie', |     'country_Albania' => 'Albanie', | ||||||
| @ -2243,7 +2205,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'invalid_file' => 'Type de fichier invalide', |     'invalid_file' => 'Type de fichier invalide', | ||||||
|     'add_documents_to_invoice' => 'Ajouter des documents à la facture', |     'add_documents_to_invoice' => 'Ajouter des documents à la facture', | ||||||
|     'mark_expense_paid' => 'Marquer comme payé', |     'mark_expense_paid' => 'Marquer comme payé', | ||||||
|     'white_label_license_error' => 'La validation de la licence n\'a pas fonctionné. Veuillez consulter storage/logs/laravel-error.log pour plus d\'information.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Tarification', |     'plan_price' => 'Tarification', | ||||||
|     'wrong_confirmation' => 'Code de confirmation incorrect', |     'wrong_confirmation' => 'Code de confirmation incorrect', | ||||||
|     'oauth_taken' => 'Ces comptes ont déjà été enregistrés', |     'oauth_taken' => 'Ces comptes ont déjà été enregistrés', | ||||||
| @ -2442,6 +2404,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'Nous espérons que votre utilisation de cette application vous est agréable.<br/>Un commentaire de votre part serait grandement apprécié!', |     'review_app_help' => 'Nous espérons que votre utilisation de cette application vous est agréable.<br/>Un commentaire de votre part serait grandement apprécié!', | ||||||
|     'writing_a_review' => 'rédiger un commentaire', |     'writing_a_review' => 'rédiger un commentaire', | ||||||
| @ -4221,7 +4184,6 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'activity_104' => ':user a restauré une facture récurrente :recurring_invoice', |     'activity_104' => ':user a restauré une facture récurrente :recurring_invoice', | ||||||
|     'new_login_detected' => 'Nouvelle connexion détectée pour votre compte', |     'new_login_detected' => 'Nouvelle connexion détectée pour votre compte', | ||||||
|     'new_login_description' => 'Vous vous êtes récemment connecté à votre compte Invoice Ninja à partir d\'un nouvel emplacement ou d\'un nouvel appareil :<br><br><b>IP:</b> :Heure:</b> :time<br><b>Courriel:</b> :email', |     'new_login_description' => 'Vous vous êtes récemment connecté à votre compte Invoice Ninja à partir d\'un nouvel emplacement ou d\'un nouvel appareil :<br><br><b>IP:</b> :Heure:</b> :time<br><b>Courriel:</b> :email', | ||||||
|     'download_backup_subject' => 'Votre entreprise est prête pour le téléchargement', |  | ||||||
|     'contact_details' => 'Informations du contact', |     'contact_details' => 'Informations du contact', | ||||||
|     'download_backup_subject' => 'Votre entreprise est prête pour le téléchargement', |     'download_backup_subject' => 'Votre entreprise est prête pour le téléchargement', | ||||||
|     'account_passwordless_login' => 'Compte de connexion sans mot de passe', |     'account_passwordless_login' => 'Compte de connexion sans mot de passe', | ||||||
| @ -4290,6 +4252,9 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Prélèvement automatique', |     'becs' => 'BECS Prélèvement automatique', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'Vous devez accepter les conditions pour continuer.', |     'you_need_to_accept_the_terms_before_proceeding' => 'Vous devez accepter les conditions pour continuer.', | ||||||
|     'direct_debit' => 'Prélèvement automatique', |     'direct_debit' => 'Prélèvement automatique', | ||||||
| @ -4343,7 +4308,6 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4534,7 +4498,6 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Le client suivant :client a reçu par courriel la facture :invoice d\'un montant de :amount', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4844,7 +4807,6 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4899,7 +4861,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'export_company' => 'Créer une sauvegarde de l\'entreprise', |     'export_company' => 'Créer une sauvegarde de l\'entreprise', | ||||||
|     'backup' => 'Sauvegarde', |     'backup' => 'Sauvegarde', | ||||||
|     'notification_purchase_order_created_body' => 'Le bon de commande :purchase_order a été créé pour le fournisseur vendor :vendor au montant de :amount.', |     'notification_purchase_order_created_body' => 'Le bon de commande :purchase_order a été créé pour le fournisseur vendor :vendor au montant de :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Le bon de commande :purchase_order a été créé pour :vendor',     |     'notification_purchase_order_created_subject' => 'Le bon de commande :purchase_order a été créé pour :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Le bon de commande :purchase_order a été envoyé à :vendor', |     'notification_purchase_order_sent_subject' => 'Le bon de commande :purchase_order a été envoyé à :vendor', | ||||||
|     'notification_purchase_order_sent' => 'Le bon de commande :purchase_order au montant de :amount a été envoyé par courriel à :vendor', |     'notification_purchase_order_sent' => 'Le bon de commande :purchase_order au montant de :amount a été envoyé par courriel à :vendor', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5003,6 +4965,48 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
							
								
								
									
										20
									
								
								lang/fr_CH/pagination.php
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										20
									
								
								lang/fr_CH/pagination.php
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,20 @@ | |||||||
|  | <?php | ||||||
|  | 
 | ||||||
|  | return [ | ||||||
|  | 
 | ||||||
|  |     /* | ||||||
|  |     |-------------------------------------------------------------------------- | ||||||
|  |     | Pagination Language Lines | ||||||
|  |     |-------------------------------------------------------------------------- | ||||||
|  |     | | ||||||
|  |     | The following language lines are used by the paginator library to build | ||||||
|  |     | the simple pagination links. You are free to change them to anything | ||||||
|  |     | you want to customize your views to better match your application. | ||||||
|  |     | | ||||||
|  |     */ | ||||||
|  | 
 | ||||||
|  |     'previous' => '« Précédent', | ||||||
|  | 
 | ||||||
|  |     'next'     => 'Suivant »', | ||||||
|  | 
 | ||||||
|  | ]; | ||||||
							
								
								
									
										24
									
								
								lang/fr_CH/reminders.php
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										24
									
								
								lang/fr_CH/reminders.php
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,24 @@ | |||||||
|  | <?php | ||||||
|  | 
 | ||||||
|  | return [ | ||||||
|  | 
 | ||||||
|  |     /* | ||||||
|  |     |-------------------------------------------------------------------------- | ||||||
|  |     | Password Reminder Language Lines | ||||||
|  |     |-------------------------------------------------------------------------- | ||||||
|  |     | | ||||||
|  |     | The following language lines are the default lines which match reasons | ||||||
|  |     | that are given by the password broker for a password update attempt | ||||||
|  |     | has failed, such as for an invalid token or invalid new password. | ||||||
|  |     | | ||||||
|  |     */ | ||||||
|  | 
 | ||||||
|  |     'password' => 'Les mots de passe doivent avoir au moins six caractères et doivent être identiques.', | ||||||
|  | 
 | ||||||
|  |     'user'     => 'Nous ne pouvons trouver cet utilisateur avec cette adresse courriel.', | ||||||
|  | 
 | ||||||
|  |     'token'    => "Ce jeton de réinitialisation du mot de passe n'est pas valide.", | ||||||
|  | 
 | ||||||
|  |     'sent'     => 'Rappel du mot de passe envoyé !', | ||||||
|  | 
 | ||||||
|  | ]; | ||||||
							
								
								
									
										5030
									
								
								lang/fr_CH/texts.php
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										5030
									
								
								lang/fr_CH/texts.php
									
									
									
									
									
										Normal file
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										142
									
								
								lang/fr_CH/validation.php
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										142
									
								
								lang/fr_CH/validation.php
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,142 @@ | |||||||
|  | <?php | ||||||
|  | 
 | ||||||
|  | return [ | ||||||
|  | 
 | ||||||
|  |     /* | ||||||
|  |     |-------------------------------------------------------------------------- | ||||||
|  |     | Validation Language Lines | ||||||
|  |     |-------------------------------------------------------------------------- | ||||||
|  |     | | ||||||
|  |     | The following language lines contain the default error messages used by | ||||||
|  |     | the validator class. Some of these rules have multiple versions such | ||||||
|  |     | such as the size rules. Feel free to tweak each of these messages. | ||||||
|  |     | | ||||||
|  |     */ | ||||||
|  | 
 | ||||||
|  |     'accepted'             => 'Le champ :attribute doit être accepté.', | ||||||
|  |     'active_url'           => "Le champ :attribute n'est pas une URL valide.", | ||||||
|  |     'after'                => 'Le champ :attribute doit être une date postérieure au :date.', | ||||||
|  |     'alpha'                => 'Le champ :attribute doit seulement contenir des lettres.', | ||||||
|  |     'alpha_dash'           => 'Le champ :attribute doit seulement contenir des lettres, des chiffres et des tirets.', | ||||||
|  |     'alpha_num'            => 'Le champ :attribute doit seulement contenir des chiffres et des lettres.', | ||||||
|  |     'array'                => 'Le champ :attribute doit être un tableau.', | ||||||
|  |     'before'               => 'Le champ :attribute doit être une date antérieure au :date.', | ||||||
|  |     'between'              => [ | ||||||
|  |         'numeric' => 'La valeur de :attribute doit être comprise entre :min et :max.', | ||||||
|  |         'file'    => 'Le fichier :attribute doit avoir une taille entre :min et :max kilobytes.', | ||||||
|  |         'string'  => 'Le texte :attribute doit avoir entre :min et :max caractères.', | ||||||
|  |         'array'   => 'Le champ :attribute doit avoir entre :min et :max éléments.', | ||||||
|  |     ], | ||||||
|  |     'confirmed'            => 'Le champ de confirmation :attribute ne correspond pas.', | ||||||
|  |     'date'                 => "Le champ :attribute n'est pas une date valide.", | ||||||
|  |     'date_format'          => 'Le champ :attribute ne correspond pas au format :format.', | ||||||
|  |     'different'            => 'Les champs :attribute et :other doivent être différents.', | ||||||
|  |     'digits'               => 'Le champ :attribute doit avoir :digits chiffres.', | ||||||
|  |     'digits_between'       => 'Le champ :attribute doit avoir entre :min and :max chiffres.', | ||||||
|  |     'email'                => 'Le champ :attribute doit être une adresse email valide.', | ||||||
|  |     'exists'               => 'Le champ :attribute sélectionné est invalide.', | ||||||
|  |     'image'                => 'Le champ :attribute doit être une image.', | ||||||
|  |     'in'                   => 'Le champ :attribute est invalide.', | ||||||
|  |     'integer'              => 'Le champ :attribute doit être un entier.', | ||||||
|  |     'ip'                   => 'Le champ :attribute doit être une adresse IP valide.', | ||||||
|  |     'max'                  => [ | ||||||
|  |         'numeric' => 'La valeur de :attribute ne peut être supérieure à :max.', | ||||||
|  |         'file'    => 'Le fichier :attribute ne peut être plus gros que :max kilobytes.', | ||||||
|  |         'string'  => 'Le texte de :attribute ne peut contenir plus de :max caractères.', | ||||||
|  |         'array'   => 'Le champ :attribute ne peut avoir plus de :max éléments.', | ||||||
|  |     ], | ||||||
|  |     'mimes'                => 'Le champ :attribute doit être un fichier de type : :values.', | ||||||
|  |     'min'                  => [ | ||||||
|  |         'numeric' => 'La valeur de :attribute doit être supérieure à :min.', | ||||||
|  |         'file'    => 'Le fichier :attribute doit être plus que gros que :min kilobytes.', | ||||||
|  |         'string'  => 'Le texte :attribute doit contenir au moins :min caractères.', | ||||||
|  |         'array'   => 'Le champ :attribute doit avoir au moins :min éléments.', | ||||||
|  |     ], | ||||||
|  |     'not_in'               => "Le champ :attribute sélectionné n'est pas valide.", | ||||||
|  |     'numeric'              => 'Le champ :attribute doit contenir un nombre.', | ||||||
|  |     'regex'                => 'Le format du champ :attribute est invalide.', | ||||||
|  |     'required'             => 'Le champ :attribute est obligatoire.', | ||||||
|  |     'required_if'          => 'Le champ :attribute est obligatoire quand la valeur de :other est :value.', | ||||||
|  |     'required_with'        => 'Le champ :attribute est obligatoire quand :values est présent.', | ||||||
|  |     'required_with_all'    => 'Le champ :attribute est obligatoire quand :values est présent.', | ||||||
|  |     'required_without'     => "Le champ :attribute est obligatoire quand :values n'est pas présent.", | ||||||
|  |     'required_without_all' => "Le champ :attribute est requis quand aucun de :values n'est présent.", | ||||||
|  |     'same'                 => 'Les champs :attribute et :other doivent être identiques.', | ||||||
|  |     'size'                 => [ | ||||||
|  |         'numeric' => 'La valeur de :attribute doit être :size.', | ||||||
|  |         'file'    => 'La taille du fichier de :attribute doit être de :size kilobytes.', | ||||||
|  |         'string'  => 'Le texte de :attribute doit contenir :size caractères.', | ||||||
|  |         'array'   => 'Le champ :attribute doit contenir :size éléments.', | ||||||
|  |     ], | ||||||
|  |     'unique'               => 'La valeur du champ :attribute est déjà utilisée.', | ||||||
|  |     'url'                  => "Le format de l'URL de :attribute n'est pas valide.", | ||||||
|  | 
 | ||||||
|  |     'positive' => ':attribute doit être supérieur à zero.', | ||||||
|  |     'has_credit' => "Le client n'a pas un crédit suffisant.", | ||||||
|  |     'notmasked' => 'Les valeurs sont masquées', | ||||||
|  |     'less_than' => 'The :attribute must be less than :value', | ||||||
|  |     'has_counter' => 'The value must contain {$counter}', | ||||||
|  |     'valid_contacts' => 'All of the contacts must have either an email or name', | ||||||
|  |     'valid_invoice_items' => 'The invoice exceeds the maximum amount', | ||||||
|  | 
 | ||||||
|  |     /* | ||||||
|  |     |-------------------------------------------------------------------------- | ||||||
|  |     | Custom Validation Language Lines | ||||||
|  |     |-------------------------------------------------------------------------- | ||||||
|  |     | | ||||||
|  |     | Here you may specify custom validation messages for attributes using the | ||||||
|  |     | convention "attribute.rule" to name the lines. This makes it quick to | ||||||
|  |     | specify a specific custom language line for a given attribute rule. | ||||||
|  |     | | ||||||
|  |     */ | ||||||
|  | 
 | ||||||
|  |     'custom' => [ | ||||||
|  |         'attribute-name' => [ | ||||||
|  |             'rule-name' => 'custom-message', | ||||||
|  |         ], | ||||||
|  |     ], | ||||||
|  | 
 | ||||||
|  |     /* | ||||||
|  |     |-------------------------------------------------------------------------- | ||||||
|  |     | Custom Validation Attributes | ||||||
|  |     |-------------------------------------------------------------------------- | ||||||
|  |     | | ||||||
|  |     | The following language lines are used to swap attribute place-holders | ||||||
|  |     | with something more reader friendly such as E-Mail Address instead | ||||||
|  |     | of "email". This simply helps us make messages a little cleaner. | ||||||
|  |     | | ||||||
|  |     */ | ||||||
|  | 
 | ||||||
|  |     'attributes' => [ | ||||||
|  |         'name' => 'Nom', | ||||||
|  |         'username' => 'Pseudo', | ||||||
|  |         'email' => 'Courriel', | ||||||
|  |         'first_name' => 'Prénom', | ||||||
|  |         'last_name' => 'Nom', | ||||||
|  |         'password' => 'Mot de passe', | ||||||
|  |         'password_confirmation' => 'Confirmation du mot de passe', | ||||||
|  |         'city' => 'Ville', | ||||||
|  |         'country' => 'Pays', | ||||||
|  |         'address' => 'Adresse', | ||||||
|  |         'phone' => 'Téléphone', | ||||||
|  |         'mobile' => 'Mobile', | ||||||
|  |         'age' => 'Âge', | ||||||
|  |         'sex' => 'Sexe', | ||||||
|  |         'gender' => 'Genre', | ||||||
|  |         'day' => 'Jour', | ||||||
|  |         'month' => 'Mois', | ||||||
|  |         'year' => 'Année', | ||||||
|  |         'hour' => 'Heure', | ||||||
|  |         'minute' => 'Minute', | ||||||
|  |         'second' => 'Seconde', | ||||||
|  |         'title' => 'Titre', | ||||||
|  |         'content' => 'Contenu', | ||||||
|  |         'description' => 'Description', | ||||||
|  |         'excerpt' => 'Extrait', | ||||||
|  |         'date' => 'Date', | ||||||
|  |         'time' => 'Heure', | ||||||
|  |         'available' => 'Disponible', | ||||||
|  |         'size' => 'Taille', | ||||||
|  |     ], | ||||||
|  | 
 | ||||||
|  | ]; | ||||||
| @ -167,7 +167,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'שער תשלום', |     'payment_gateway' => 'שער תשלום', | ||||||
|     'gateway_id' => 'שער', |     'gateway_id' => 'שער', | ||||||
|     'email_notifications' => 'הודעת דואר אלקטרוני', |     'email_notifications' => 'הודעת דואר אלקטרוני', | ||||||
|     'email_sent' => 'שלח לי הודעת מייל כאשר חשבונית <b>נשלחה</b>', |  | ||||||
|     'email_viewed' => 'שלח לי הודעת מייל כאשר חשבונית <b>נצפתה</b>', |     'email_viewed' => 'שלח לי הודעת מייל כאשר חשבונית <b>נצפתה</b>', | ||||||
|     'email_paid' => 'שלח לי הודעת מייל כאשר חשבונית <b>שולמה</b>', |     'email_paid' => 'שלח לי הודעת מייל כאשר חשבונית <b>שולמה</b>', | ||||||
|     'site_updates' => 'עדכון אתר', |     'site_updates' => 'עדכון אתר', | ||||||
| @ -899,8 +898,6 @@ $LANG = array( | |||||||
|     'expense' => 'הוצאה', |     'expense' => 'הוצאה', | ||||||
|     'expenses' => 'הוצאות', |     'expenses' => 'הוצאות', | ||||||
|     'new_expense' => 'הזן הוצאה', |     'new_expense' => 'הזן הוצאה', | ||||||
|     'enter_expense' => 'הזן הוצאה', |  | ||||||
|     'vendors' => 'ספקים', |  | ||||||
|     'new_vendor' => 'ספק חדש', |     'new_vendor' => 'ספק חדש', | ||||||
|     'payment_terms_net' => 'כולל', |     'payment_terms_net' => 'כולל', | ||||||
|     'vendor' => 'ספק', |     'vendor' => 'ספק', | ||||||
| @ -1183,7 +1180,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1195,7 +1192,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'ניתן החזר כספי.', |     'plan_refunded' => 'ניתן החזר כספי.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'תצוגה מקדימה', |  | ||||||
|     'page_size' => 'גודל עמוד', |     'page_size' => 'גודל עמוד', | ||||||
|     'live_preview_disabled' => 'צפיה מקדימה הושבתה כדי לתמוך בפונט הנבחר', |     'live_preview_disabled' => 'צפיה מקדימה הושבתה כדי לתמוך בפונט הנבחר', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1452,40 +1448,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'ראיית חשבון', |  | ||||||
|     'industry_Advertising' => 'פרסום', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automotive', |  | ||||||
|     'industry_Banking & Finance' => 'Banking & Finance', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnology', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Business Services', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Chemicals', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers & Hightech', |  | ||||||
|     'industry_Defense' => 'Defense', |  | ||||||
|     'industry_Energy' => 'Energy', |  | ||||||
|     'industry_Entertainment' => 'Entertainment', |  | ||||||
|     'industry_Government' => 'Government', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Insurance', |  | ||||||
|     'industry_Manufacturing' => 'Manufacturing', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceuticals', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professional Services & Consulting', |  | ||||||
|     'industry_Real Estate' => 'Real Estate', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Retail & Wholesale', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transportation', |  | ||||||
|     'industry_Travel & Luxury' => 'Travel & Luxury', |  | ||||||
|     'industry_Other' => 'Other', |  | ||||||
|     'industry_Photography' => 'Photography', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2243,7 +2205,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'סוג קובץ לא נתמך', |     'invalid_file' => 'סוג קובץ לא נתמך', | ||||||
|     'add_documents_to_invoice' => 'הוסף מסמכים לחשבונית', |     'add_documents_to_invoice' => 'הוסף מסמכים לחשבונית', | ||||||
|     'mark_expense_paid' => 'סמן כשולם', |     'mark_expense_paid' => 'סמן כשולם', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation code', |     'wrong_confirmation' => 'Incorrect confirmation code', | ||||||
|     'oauth_taken' => 'The account is already registered', |     'oauth_taken' => 'The account is already registered', | ||||||
| @ -2442,6 +2404,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4221,7 +4184,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4290,6 +4252,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4343,7 +4308,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'יש משימות', |     'has_tasks' => 'יש משימות', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4534,8 +4498,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'העמית :עמית קיבל מייל |  | ||||||
| חשבונית :חשבנוית של :סכום', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4845,7 +4807,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4900,7 +4861,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5004,6 +4965,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Usmjernik naplate', |     'payment_gateway' => 'Usmjernik naplate', | ||||||
|     'gateway_id' => 'Usmjernik', |     'gateway_id' => 'Usmjernik', | ||||||
|     'email_notifications' => 'Obavijesti e-poštom', |     'email_notifications' => 'Obavijesti e-poštom', | ||||||
|     'email_sent' => 'Obavijesti me e-poštom kada je račun <b>poslan</b>', |  | ||||||
|     'email_viewed' => 'Obavijesti me e-poštom kada je račun <b>pregledan</b>', |     'email_viewed' => 'Obavijesti me e-poštom kada je račun <b>pregledan</b>', | ||||||
|     'email_paid' => 'Obavijest me e-poštom kada je račun <b>plaćen</b>', |     'email_paid' => 'Obavijest me e-poštom kada je račun <b>plaćen</b>', | ||||||
|     'site_updates' => 'Ažuriranja', |     'site_updates' => 'Ažuriranja', | ||||||
| @ -907,8 +906,6 @@ $LANG = array( | |||||||
|     'expense' => 'Trošak', |     'expense' => 'Trošak', | ||||||
|     'expenses' => 'Troškovi', |     'expenses' => 'Troškovi', | ||||||
|     'new_expense' => 'Novi trošak', |     'new_expense' => 'Novi trošak', | ||||||
|     'enter_expense' => 'Unesi trošak', |  | ||||||
|     'vendors' => 'Dobavljači', |  | ||||||
|     'new_vendor' => 'Novi dobavljač', |     'new_vendor' => 'Novi dobavljač', | ||||||
|     'payment_terms_net' => 'čisto', |     'payment_terms_net' => 'čisto', | ||||||
|     'vendor' => 'Dobavljač', |     'vendor' => 'Dobavljač', | ||||||
| @ -1192,7 +1189,7 @@ Nevažeći kontakt email', | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1204,7 +1201,6 @@ Nevažeći kontakt email', | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Pretpregled uživo', |  | ||||||
|     'page_size' => 'Page Size', |     'page_size' => 'Page Size', | ||||||
|     'live_preview_disabled' => 'Live preview has been disabled to support selected font', |     'live_preview_disabled' => 'Live preview has been disabled to support selected font', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1461,40 +1457,6 @@ Nevažeći kontakt email', | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Accounting & Legal', |  | ||||||
|     'industry_Advertising' => 'Advertising', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automotive', |  | ||||||
|     'industry_Banking & Finance' => 'Banking & Finance', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnology', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Business Services', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Chemicals', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers & Hightech', |  | ||||||
|     'industry_Defense' => 'Defense', |  | ||||||
|     'industry_Energy' => 'Energy', |  | ||||||
|     'industry_Entertainment' => 'Entertainment', |  | ||||||
|     'industry_Government' => 'Government', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Insurance', |  | ||||||
|     'industry_Manufacturing' => 'Manufacturing', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceuticals', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professional Services & Consulting', |  | ||||||
|     'industry_Real Estate' => 'Real Estate', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Retail & Wholesale', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transportation', |  | ||||||
|     'industry_Travel & Luxury' => 'Travel & Luxury', |  | ||||||
|     'industry_Other' => 'Other', |  | ||||||
|     'industry_Photography' => 'Photography', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2252,7 +2214,7 @@ Nevažeći kontakt email', | |||||||
|     'invalid_file' => 'Invalid file type', |     'invalid_file' => 'Invalid file type', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Označi da je plaćeno', |     'mark_expense_paid' => 'Označi da je plaćeno', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation code', |     'wrong_confirmation' => 'Incorrect confirmation code', | ||||||
|     'oauth_taken' => 'The account is already registered', |     'oauth_taken' => 'The account is already registered', | ||||||
| @ -2451,6 +2413,7 @@ Nevažeći kontakt email', | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4230,7 +4193,6 @@ Nevažeći kontakt email', | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4299,6 +4261,9 @@ Nevažeći kontakt email', | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4352,7 +4317,6 @@ Nevažeći kontakt email', | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4543,7 +4507,6 @@ Nevažeći kontakt email', | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Slijedećem klijentu :client je poslan e-poštom račun :invoice na iznos :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4853,7 +4816,6 @@ Nevažeći kontakt email', | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4908,7 +4870,7 @@ Nevažeći kontakt email', | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5012,6 +4974,48 @@ Nevažeći kontakt email', | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Piattaforma di Pagamento', |     'payment_gateway' => 'Piattaforma di Pagamento', | ||||||
|     'gateway_id' => 'Piattaforma', |     'gateway_id' => 'Piattaforma', | ||||||
|     'email_notifications' => 'Notifiche Email', |     'email_notifications' => 'Notifiche Email', | ||||||
|     'email_sent' => 'Mandami un\'email quando una fattura è <b>inviata</b>', |  | ||||||
|     'email_viewed' => 'Mandami un\'email quando una fattura è <b>visualizzata</b>', |     'email_viewed' => 'Mandami un\'email quando una fattura è <b>visualizzata</b>', | ||||||
|     'email_paid' => 'Mandami un\'email quando una fattura è <b>pagata</b>', |     'email_paid' => 'Mandami un\'email quando una fattura è <b>pagata</b>', | ||||||
|     'site_updates' => 'Aggiornamenti Sito', |     'site_updates' => 'Aggiornamenti Sito', | ||||||
| @ -907,8 +906,6 @@ $LANG = array( | |||||||
|     'expense' => 'Spesa', |     'expense' => 'Spesa', | ||||||
|     'expenses' => 'Spese', |     'expenses' => 'Spese', | ||||||
|     'new_expense' => 'Inserisci spesa', |     'new_expense' => 'Inserisci spesa', | ||||||
|     'enter_expense' => 'Inserisci Spesa', |  | ||||||
|     'vendors' => 'Fornitori', |  | ||||||
|     'new_vendor' => 'Nuovo Fornitore', |     'new_vendor' => 'Nuovo Fornitore', | ||||||
|     'payment_terms_net' => 'Netto', |     'payment_terms_net' => 'Netto', | ||||||
|     'vendor' => 'Fornitore', |     'vendor' => 'Fornitore', | ||||||
| @ -1192,7 +1189,7 @@ $LANG = array( | |||||||
| ', | ', | ||||||
|     'plan_expires' => 'Scadenza piano', |     'plan_expires' => 'Scadenza piano', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Un anno di iscrizione al piano Invoice Ninja Pro.', |     'pro_plan_year_description' => 'Un anno di iscrizione al piano Invoice Ninja Pro.', | ||||||
|     'pro_plan_month_description' => 'Un mese di iscrizione al piano Invoice Ninja Pro.', |     'pro_plan_month_description' => 'Un mese di iscrizione al piano Invoice Ninja Pro.', | ||||||
| @ -1206,7 +1203,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Anteprima Live', |  | ||||||
|     'page_size' => 'Dimensione Pagina', |     'page_size' => 'Dimensione Pagina', | ||||||
|     'live_preview_disabled' => 'L\'anteprima dal vivo è stata disabilitata per supportare il font selezionato', |     'live_preview_disabled' => 'L\'anteprima dal vivo è stata disabilitata per supportare il font selezionato', | ||||||
|     'invoice_number_padding' => 'Riempimento', |     'invoice_number_padding' => 'Riempimento', | ||||||
| @ -1462,40 +1458,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Contabilità & Legale', |  | ||||||
|     'industry_Advertising' => 'Pubblicità', |  | ||||||
|     'industry_Aerospace' => 'Aerospaziale', |  | ||||||
|     'industry_Agriculture' => 'Agricoltura', |  | ||||||
|     'industry_Automotive' => 'Automobilistico', |  | ||||||
|     'industry_Banking & Finance' => 'Banking & Finance', |  | ||||||
|     'industry_Biotechnology' => 'Biotecnologie', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Business Services', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Chemicals', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers & Hightech', |  | ||||||
|     'industry_Defense' => 'Difesa', |  | ||||||
|     'industry_Energy' => 'Energia', |  | ||||||
|     'industry_Entertainment' => 'Intrattenimento', |  | ||||||
|     'industry_Government' => 'Governo', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Assicurazione', |  | ||||||
|     'industry_Manufacturing' => 'Manifatturiero', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Farmaceutico', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Servizi Professionali & Consulenza', |  | ||||||
|     'industry_Real Estate' => 'Immobiliare', |  | ||||||
|     'industry_Restaurant & Catering' => 'Ristorazione & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Vendita al dettaglio & Vendita all\'ingrosso', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Trasporti', |  | ||||||
|     'industry_Travel & Luxury' => 'Viaggi & Lusso', |  | ||||||
|     'industry_Other' => 'Altro', |  | ||||||
|     'industry_Photography' => 'Fotografia', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2254,7 +2216,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Tipo di file non valido', |     'invalid_file' => 'Tipo di file non valido', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Segna come pagato', |     'mark_expense_paid' => 'Segna come pagato', | ||||||
|     'white_label_license_error' => 'Impossibile convalidare la licenza, controlla storage/logs-laravel-error.log per maggiori dettagli.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Prezzo del piano', |     'plan_price' => 'Prezzo del piano', | ||||||
|     'wrong_confirmation' => 'Codice di conferma errato', |     'wrong_confirmation' => 'Codice di conferma errato', | ||||||
|     'oauth_taken' => 'Questo account è già registrato', |     'oauth_taken' => 'Questo account è già registrato', | ||||||
| @ -2453,6 +2415,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'scrivendo una recensione', |     'writing_a_review' => 'scrivendo una recensione', | ||||||
| @ -4232,7 +4195,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'Nuovo login rilevato per il tuo account.', |     'new_login_detected' => 'Nuovo login rilevato per il tuo account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Il backup della tua azienda è pronto per il download', |  | ||||||
|     'contact_details' => 'Dettagli contatto', |     'contact_details' => 'Dettagli contatto', | ||||||
|     'download_backup_subject' => 'Il backup della tua azienda è pronto per il download', |     'download_backup_subject' => 'Il backup della tua azienda è pronto per il download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4301,6 +4263,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4354,7 +4319,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4545,7 +4509,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Al seguente cliente :client è stata inviata via email la fattura :invoice di :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4855,7 +4818,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4910,7 +4872,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5014,6 +4976,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => '決済プロバイダ', |     'payment_gateway' => '決済プロバイダ', | ||||||
|     'gateway_id' => '決済プロバイダ', |     'gateway_id' => '決済プロバイダ', | ||||||
|     'email_notifications' => 'Eメール通知', |     'email_notifications' => 'Eメール通知', | ||||||
|     'email_sent' => 'Email me when an invoice is <b>sent</b>', |  | ||||||
|     'email_viewed' => 'Email me when an invoice is <b>viewed</b>', |     'email_viewed' => 'Email me when an invoice is <b>viewed</b>', | ||||||
|     'email_paid' => 'Email me when an invoice is <b>paid</b>', |     'email_paid' => 'Email me when an invoice is <b>paid</b>', | ||||||
|     'site_updates' => 'Site Updates', |     'site_updates' => 'Site Updates', | ||||||
| @ -907,8 +906,6 @@ $LANG = array( | |||||||
|     'expense' => 'Expense', |     'expense' => 'Expense', | ||||||
|     'expenses' => '経費', |     'expenses' => '経費', | ||||||
|     'new_expense' => 'Enter Expense', |     'new_expense' => 'Enter Expense', | ||||||
|     'enter_expense' => 'Enter Expense', |  | ||||||
|     'vendors' => '納入業者', |  | ||||||
|     'new_vendor' => 'New Vendor', |     'new_vendor' => 'New Vendor', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Vendor', |     'vendor' => 'Vendor', | ||||||
| @ -1191,7 +1188,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1203,7 +1200,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'ライブ・プレビュー', |  | ||||||
|     'page_size' => 'Page Size', |     'page_size' => 'Page Size', | ||||||
|     'live_preview_disabled' => 'Live preview has been disabled to support selected font', |     'live_preview_disabled' => 'Live preview has been disabled to support selected font', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1460,40 +1456,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Accounting & Legal', |  | ||||||
|     'industry_Advertising' => 'Advertising', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automotive', |  | ||||||
|     'industry_Banking & Finance' => 'Banking & Finance', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnology', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Business Services', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Chemicals', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers & Hightech', |  | ||||||
|     'industry_Defense' => 'Defense', |  | ||||||
|     'industry_Energy' => 'Energy', |  | ||||||
|     'industry_Entertainment' => 'Entertainment', |  | ||||||
|     'industry_Government' => 'Government', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Insurance', |  | ||||||
|     'industry_Manufacturing' => 'Manufacturing', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceuticals', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professional Services & Consulting', |  | ||||||
|     'industry_Real Estate' => 'Real Estate', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Retail & Wholesale', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transportation', |  | ||||||
|     'industry_Travel & Luxury' => 'Travel & Luxury', |  | ||||||
|     'industry_Other' => 'Other', |  | ||||||
|     'industry_Photography' => 'Photography', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2251,7 +2213,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Invalid file type', |     'invalid_file' => 'Invalid file type', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => '支払済にする', |     'mark_expense_paid' => '支払済にする', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation code', |     'wrong_confirmation' => 'Incorrect confirmation code', | ||||||
|     'oauth_taken' => 'The account is already registered', |     'oauth_taken' => 'The account is already registered', | ||||||
| @ -2450,6 +2412,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4229,7 +4192,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4298,6 +4260,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4351,7 +4316,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4542,7 +4506,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'The following client :client was emailed Invoice :invoice for :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4852,7 +4815,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4907,7 +4869,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5011,6 +4973,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Mokėjimo Gateway', |     'payment_gateway' => 'Mokėjimo Gateway', | ||||||
|     'gateway_id' => 'Gateway', |     'gateway_id' => 'Gateway', | ||||||
|     'email_notifications' => 'Email pranešimai', |     'email_notifications' => 'Email pranešimai', | ||||||
|     'email_sent' => 'Atsiųsti man Email kai sąskaita yra <b>išsiunčiama</b>', |  | ||||||
|     'email_viewed' => 'Atsiųsti man Email kai sąskaita yra  <b>peržiūrima</b>', |     'email_viewed' => 'Atsiųsti man Email kai sąskaita yra  <b>peržiūrima</b>', | ||||||
|     'email_paid' => 'Atsiųsti man Email kai sąskaita yra  <b>apmokama</b>', |     'email_paid' => 'Atsiųsti man Email kai sąskaita yra  <b>apmokama</b>', | ||||||
|     'site_updates' => 'Svetainės atnaujinimai', |     'site_updates' => 'Svetainės atnaujinimai', | ||||||
| @ -907,8 +906,6 @@ $LANG = array( | |||||||
|     'expense' => 'Išlaidos', |     'expense' => 'Išlaidos', | ||||||
|     'expenses' => 'Išlaidos', |     'expenses' => 'Išlaidos', | ||||||
|     'new_expense' => 'Enter Expense', |     'new_expense' => 'Enter Expense', | ||||||
|     'enter_expense' => 'Įveskite išlaidas', |  | ||||||
|     'vendors' => 'Tiekėjai', |  | ||||||
|     'new_vendor' => 'Naujas tiekėjas', |     'new_vendor' => 'Naujas tiekėjas', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Tiekėjas', |     'vendor' => 'Tiekėjas', | ||||||
| @ -1191,7 +1188,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1203,7 +1200,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'Grąžinimas atliktas.', |     'plan_refunded' => 'Grąžinimas atliktas.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live Preview', |  | ||||||
|     'page_size' => 'Page Size', |     'page_size' => 'Page Size', | ||||||
|     'live_preview_disabled' => 'Live preview has been disabled to support selected font', |     'live_preview_disabled' => 'Live preview has been disabled to support selected font', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1460,40 +1456,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Accounting & Legal', |  | ||||||
|     'industry_Advertising' => 'Reklamavimas', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automotive', |  | ||||||
|     'industry_Banking & Finance' => 'Bankai ir Finansai', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnology', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Business Services', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Chemicals', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Kompiuteriai ir Technologijos', |  | ||||||
|     'industry_Defense' => 'Defense', |  | ||||||
|     'industry_Energy' => 'Energy', |  | ||||||
|     'industry_Entertainment' => 'Pramogos', |  | ||||||
|     'industry_Government' => 'Government', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Insurance', |  | ||||||
|     'industry_Manufacturing' => 'Gamyba', |  | ||||||
|     'industry_Marketing' => 'Marketingas', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceuticals', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professional Services & Consulting', |  | ||||||
|     'industry_Real Estate' => 'Nekilnojamas turtas', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Retail & Wholesale', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transportation', |  | ||||||
|     'industry_Travel & Luxury' => 'Travel & Luxury', |  | ||||||
|     'industry_Other' => 'Other', |  | ||||||
|     'industry_Photography' => 'Photography', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afganistanas', |     'country_Afghanistan' => 'Afganistanas', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2251,7 +2213,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Invalid file type', |     'invalid_file' => 'Invalid file type', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Mark paid', |     'mark_expense_paid' => 'Mark paid', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation code', |     'wrong_confirmation' => 'Incorrect confirmation code', | ||||||
|     'oauth_taken' => 'The account is already registered', |     'oauth_taken' => 'The account is already registered', | ||||||
| @ -2450,6 +2412,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4229,7 +4192,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4298,6 +4260,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4351,7 +4316,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4542,7 +4506,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Klientui :client išsiųsta sąskaita :invoice sumai :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4759,11 +4722,11 @@ $LANG = array( | |||||||
|     'resend' => 'Resend', |     'resend' => 'Resend', | ||||||
|     'verify' => 'Verify', |     'verify' => 'Verify', | ||||||
|     'enter_phone_number' => 'Please provide a phone number', |     'enter_phone_number' => 'Please provide a phone number', | ||||||
|     'invalid_phone_number' => 'Invalid phone number', |     'invalid_phone_number' => 'Neteisingas telefono numeris', | ||||||
|     'verify_phone_number' => 'Verify Phone Number', |     'verify_phone_number' => 'Patikrinkite telefono numerį', | ||||||
|     'verify_phone_number_help' => 'Please verify your phone number to send emails', |     'verify_phone_number_help' => 'Patvirtinkite telefono numerį, kad būtų siunčiami el. laiškai', | ||||||
|     'merged_clients' => 'Successfully merged clients', |     'merged_clients' => 'Successfully merged clients', | ||||||
|     'merge_into' => 'Merge Into', |     'merge_into' => 'Sujungti su', | ||||||
|     'php81_required' => 'Note: v5.5 requires PHP 8.1', |     'php81_required' => 'Note: v5.5 requires PHP 8.1', | ||||||
|     'bulk_email_purchase_orders' => 'Email Purchase Orders', |     'bulk_email_purchase_orders' => 'Email Purchase Orders', | ||||||
|     'bulk_email_invoices' => 'Email Invoices', |     'bulk_email_invoices' => 'Email Invoices', | ||||||
| @ -4772,7 +4735,7 @@ $LANG = array( | |||||||
|     'archive_purchase_order' => 'Archive Purchase Order', |     'archive_purchase_order' => 'Archive Purchase Order', | ||||||
|     'restore_purchase_order' => 'Restore Purchase Order', |     'restore_purchase_order' => 'Restore Purchase Order', | ||||||
|     'delete_purchase_order' => 'Delete Purchase Order', |     'delete_purchase_order' => 'Delete Purchase Order', | ||||||
|     'connect' => 'Connect', |     'connect' => 'Prisijungti', | ||||||
|     'mark_paid_payment_email' => 'Mark Paid Payment Email', |     'mark_paid_payment_email' => 'Mark Paid Payment Email', | ||||||
|     'convert_to_project' => 'Convert to Project', |     'convert_to_project' => 'Convert to Project', | ||||||
|     'client_email' => 'Client Email', |     'client_email' => 'Client Email', | ||||||
| @ -4852,7 +4815,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4907,7 +4869,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5004,13 +4966,55 @@ $LANG = array( | |||||||
|     'stripe_direct_debit_details' => 'Please transfer into the nominated bank account above.', |     'stripe_direct_debit_details' => 'Please transfer into the nominated bank account above.', | ||||||
|     'branch_name' => 'Branch Name', |     'branch_name' => 'Branch Name', | ||||||
|     'branch_code' => 'Branch Code', |     'branch_code' => 'Branch Code', | ||||||
|     'bank_name' => 'Bank Name', |     'bank_name' => 'Banko pavadinimas', | ||||||
|     'bank_code' => 'Bank Code', |     'bank_code' => 'Banko kodas', | ||||||
|     'bic' => 'BIC', |     'bic' => 'BIC', | ||||||
|     'change_plan_description' => 'Upgrade or downgrade your current plan.', |     'change_plan_description' => 'Upgrade or downgrade your current plan.', | ||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Pridėti logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Avansas', | ||||||
|  |     'number_of_payments' => 'Mokėjimų kiekis', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Mokėjimas :payment buvo išsiųstas el. paštu klientui :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Mokėjimas :payment buvo išsiųstas el. paštu', | ||||||
|  |     'record_not_found' => 'Įrašas nerastas', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Fizinės prekės', | ||||||
|  |     'product_type_digital' => 'Skaitmeninės prekės', | ||||||
|  |     'product_type_service' => 'Paslaugos', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimali mokėjimo suma', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Mokėjimų balansas', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Privalomas', | ||||||
|  |     'hidden' => 'Paslėptas', | ||||||
|  |     'payment_links' => 'Mokėjimo nuorodos', | ||||||
|  |     'payment_link' => 'Mokėjimo nuoroda', | ||||||
|  |     'new_payment_link' => 'Nauja mokėjimo nuoroda', | ||||||
|  |     'edit_payment_link' => 'Redaguoti mokėjimo nuorodą', | ||||||
|  |     'created_payment_link' => 'Mokėjimo nuoroda sėkmingai sukurta', | ||||||
|  |     'updated_payment_link' => 'Mokėjimo nuoroda sėkmingai atnaujinta', | ||||||
|  |     'archived_payment_link' => 'Mokėjimo nuoroda sėkmingai suarchyvuota', | ||||||
|  |     'deleted_payment_link' => 'Mokėjimo nuoroda sėkmingai ištrinta', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Maksājumu Rīki', |     'payment_gateway' => 'Maksājumu Rīki', | ||||||
|     'gateway_id' => 'Rīks', |     'gateway_id' => 'Rīks', | ||||||
|     'email_notifications' => 'E-pasta paziņojumi', |     'email_notifications' => 'E-pasta paziņojumi', | ||||||
|     'email_sent' => 'Email me when an invoice is <b>sent</b>', |  | ||||||
|     'email_viewed' => 'Email me when an invoice is <b>viewed</b>', |     'email_viewed' => 'Email me when an invoice is <b>viewed</b>', | ||||||
|     'email_paid' => 'Email me when an invoice is <b>paid</b>', |     'email_paid' => 'Email me when an invoice is <b>paid</b>', | ||||||
|     'site_updates' => 'Vietnes atjauninājumi', |     'site_updates' => 'Vietnes atjauninājumi', | ||||||
| @ -907,8 +906,6 @@ $LANG = array( | |||||||
|     'expense' => 'Expense', |     'expense' => 'Expense', | ||||||
|     'expenses' => 'Izdevumi', |     'expenses' => 'Izdevumi', | ||||||
|     'new_expense' => 'Enter Expense', |     'new_expense' => 'Enter Expense', | ||||||
|     'enter_expense' => 'Enter Expense', |  | ||||||
|     'vendors' => 'Vendors', |  | ||||||
|     'new_vendor' => 'New Vendor', |     'new_vendor' => 'New Vendor', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Vendor', |     'vendor' => 'Vendor', | ||||||
| @ -1191,7 +1188,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Abonementa termiņš', |     'plan_expires' => 'Abonementa termiņš', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1203,7 +1200,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live Preview', |  | ||||||
|     'page_size' => 'Page Size', |     'page_size' => 'Page Size', | ||||||
|     'live_preview_disabled' => 'Live preview has been disabled to support selected font', |     'live_preview_disabled' => 'Live preview has been disabled to support selected font', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1460,40 +1456,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Accounting & Legal', |  | ||||||
|     'industry_Advertising' => 'Advertising', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automotive', |  | ||||||
|     'industry_Banking & Finance' => 'Banking & Finance', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnology', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Business Services', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Chemicals', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers & Hightech', |  | ||||||
|     'industry_Defense' => 'Defense', |  | ||||||
|     'industry_Energy' => 'Energy', |  | ||||||
|     'industry_Entertainment' => 'Entertainment', |  | ||||||
|     'industry_Government' => 'Government', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Insurance', |  | ||||||
|     'industry_Manufacturing' => 'Manufacturing', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceuticals', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professional Services & Consulting', |  | ||||||
|     'industry_Real Estate' => 'Real Estate', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Retail & Wholesale', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transportation', |  | ||||||
|     'industry_Travel & Luxury' => 'Travel & Luxury', |  | ||||||
|     'industry_Other' => 'Other', |  | ||||||
|     'industry_Photography' => 'Photography', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2251,7 +2213,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Invalid file type', |     'invalid_file' => 'Invalid file type', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Mark paid', |     'mark_expense_paid' => 'Mark paid', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation code', |     'wrong_confirmation' => 'Incorrect confirmation code', | ||||||
|     'oauth_taken' => 'The account is already registered', |     'oauth_taken' => 'The account is already registered', | ||||||
| @ -2450,6 +2412,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4229,7 +4192,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4298,6 +4260,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4351,7 +4316,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4542,7 +4506,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Klientam :client tika nosūtīts rēķins Nr::invoice par summu :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4852,7 +4815,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4907,7 +4869,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5011,6 +4973,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -175,7 +175,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Портал на плаќање', |     'payment_gateway' => 'Портал на плаќање', | ||||||
|     'gateway_id' => 'Платен портал', |     'gateway_id' => 'Платен портал', | ||||||
|     'email_notifications' => 'Известувања по е-пошта', |     'email_notifications' => 'Известувања по е-пошта', | ||||||
|     'email_sent' => 'Прати ми е-пошта кога фактурата е <b> пратена </b>', |  | ||||||
|     'email_viewed' => 'Прати ми е-пошта кога фактурата е <b> видена </b>', |     'email_viewed' => 'Прати ми е-пошта кога фактурата е <b> видена </b>', | ||||||
|     'email_paid' => 'Прати ми е-пошта кога фактурата е <b> платена </b>', |     'email_paid' => 'Прати ми е-пошта кога фактурата е <b> платена </b>', | ||||||
|     'site_updates' => 'Ажурирања на страната', |     'site_updates' => 'Ажурирања на страната', | ||||||
| @ -908,8 +907,6 @@ $LANG = array( | |||||||
|     'expense' => 'Трошок', |     'expense' => 'Трошок', | ||||||
|     'expenses' => 'Трошоци', |     'expenses' => 'Трошоци', | ||||||
|     'new_expense' => 'Внеси трошок', |     'new_expense' => 'Внеси трошок', | ||||||
|     'enter_expense' => 'Внеси трошок', |  | ||||||
|     'vendors' => 'Продавачи', |  | ||||||
|     'new_vendor' => 'Нов продавач', |     'new_vendor' => 'Нов продавач', | ||||||
|     'payment_terms_net' => 'Мрежа', |     'payment_terms_net' => 'Мрежа', | ||||||
|     'vendor' => 'Продавач', |     'vendor' => 'Продавач', | ||||||
| @ -1192,7 +1189,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Планот започна', |     'plan_started' => 'Планот започна', | ||||||
|     'plan_expires' => 'Планот истекува', |     'plan_expires' => 'Планот истекува', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'Брендирање', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Една година запишување на Invoice Ninja Pro планот.', |     'pro_plan_year_description' => 'Една година запишување на Invoice Ninja Pro планот.', | ||||||
|     'pro_plan_month_description' => 'Еден месец запишување на Invoice Ninja Pro планот.', |     'pro_plan_month_description' => 'Еден месец запишување на Invoice Ninja Pro планот.', | ||||||
| @ -1204,7 +1201,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Ќе се смени на месечно на :date', |     'plan_pending_monthly' => 'Ќе се смени на месечно на :date', | ||||||
|     'plan_refunded' => 'Издадено е рефундирање.', |     'plan_refunded' => 'Издадено е рефундирање.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Преглед во живо', |  | ||||||
|     'page_size' => 'Големина на страна', |     'page_size' => 'Големина на страна', | ||||||
|     'live_preview_disabled' => 'Прегледот во живо е оневозможен за поддршка на избраниот фонт', |     'live_preview_disabled' => 'Прегледот во живо е оневозможен за поддршка на избраниот фонт', | ||||||
|     'invoice_number_padding' => 'Внатрешна маргина', |     'invoice_number_padding' => 'Внатрешна маргина', | ||||||
| @ -1461,40 +1457,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Сметководство и право', |  | ||||||
|     'industry_Advertising' => 'Рекламирање', |  | ||||||
|     'industry_Aerospace' => 'Воздухопловство', |  | ||||||
|     'industry_Agriculture' => 'Агрокултура', |  | ||||||
|     'industry_Automotive' => 'Автомобилство', |  | ||||||
|     'industry_Banking & Finance' => 'Банкарство и финансии', |  | ||||||
|     'industry_Biotechnology' => 'Биотехнологија', |  | ||||||
|     'industry_Broadcasting' => 'Радиодифузија', |  | ||||||
|     'industry_Business Services' => 'Бизнис услуги ', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Стоки и хемикалии', |  | ||||||
|     'industry_Communications' => 'Комуникации', |  | ||||||
|     'industry_Computers & Hightech' => 'Компјутери и висока технологија', |  | ||||||
|     'industry_Defense' => 'Одбрана', |  | ||||||
|     'industry_Energy' => 'Енергија', |  | ||||||
|     'industry_Entertainment' => 'Забава', |  | ||||||
|     'industry_Government' => 'Влада', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Здравствени и животни науки', |  | ||||||
|     'industry_Insurance' => 'Осигурување', |  | ||||||
|     'industry_Manufacturing' => 'Производство', |  | ||||||
|     'industry_Marketing' => 'Маркетинг', |  | ||||||
|     'industry_Media' => 'Медиа', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Непрофитни организации и Високо образование', |  | ||||||
|     'industry_Pharmaceuticals' => 'Фармацевтски производи', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Професионални услуги и советување', |  | ||||||
|     'industry_Real Estate' => 'Недвижен имот', |  | ||||||
|     'industry_Restaurant & Catering' => 'Ресторан и кетеринг', |  | ||||||
|     'industry_Retail & Wholesale' => 'Малопродажба и трговија на големо', |  | ||||||
|     'industry_Sports' => 'Спорт', |  | ||||||
|     'industry_Transportation' => 'Транспорт', |  | ||||||
|     'industry_Travel & Luxury' => 'Патување и луксуз', |  | ||||||
|     'industry_Other' => 'Друго', |  | ||||||
|     'industry_Photography' => 'Фотографија', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Авганистан', |     'country_Afghanistan' => 'Авганистан', | ||||||
|     'country_Albania' => 'Албанија', |     'country_Albania' => 'Албанија', | ||||||
| @ -2252,7 +2214,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Невалиден тип на датотека', |     'invalid_file' => 'Невалиден тип на датотека', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Означи платено', |     'mark_expense_paid' => 'Означи платено', | ||||||
|     'white_label_license_error' => 'Неуспешна валидација на лиценца, проверете storage/logs/laravel-error.log за повеќе детали. ', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Планирај цена', |     'plan_price' => 'Планирај цена', | ||||||
|     'wrong_confirmation' => 'Неточен код за потврда', |     'wrong_confirmation' => 'Неточен код за потврда', | ||||||
|     'oauth_taken' => 'Оваа сметка е веќе регистрирана', |     'oauth_taken' => 'Оваа сметка е веќе регистрирана', | ||||||
| @ -2451,6 +2413,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'Се надеваме дека уживате во користењето на апликацијата. <br/> Ако го земете во предвид :link многу би ни значело!', |     'review_app_help' => 'Се надеваме дека уживате во користењето на апликацијата. <br/> Ако го земете во предвид :link многу би ни значело!', | ||||||
|     'writing_a_review' => 'пишување рецензија', |     'writing_a_review' => 'пишување рецензија', | ||||||
| @ -4230,7 +4193,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4299,6 +4261,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4352,7 +4317,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4543,7 +4507,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'На клиентот :client е испратена фактура :invoice од :amount по е-пошта.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4853,7 +4816,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4908,7 +4870,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5012,6 +4974,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Betalingsløsning', |     'payment_gateway' => 'Betalingsløsning', | ||||||
|     'gateway_id' => 'Tilbyder', |     'gateway_id' => 'Tilbyder', | ||||||
|     'email_notifications' => 'Varsel via e-post', |     'email_notifications' => 'Varsel via e-post', | ||||||
|     'email_sent' => 'Varsle når en faktura er <b>sendt</b>', |  | ||||||
|     'email_viewed' => 'Varsle når en faktura er <b>sett</b>', |     'email_viewed' => 'Varsle når en faktura er <b>sett</b>', | ||||||
|     'email_paid' => 'Varsle når en faktura er <b>betalt</b>', |     'email_paid' => 'Varsle når en faktura er <b>betalt</b>', | ||||||
|     'site_updates' => 'Side Oppdateringer', |     'site_updates' => 'Side Oppdateringer', | ||||||
| @ -907,8 +906,6 @@ $LANG = array( | |||||||
|     'expense' => 'Utgift', |     'expense' => 'Utgift', | ||||||
|     'expenses' => 'Utgifter', |     'expenses' => 'Utgifter', | ||||||
|     'new_expense' => 'Angi utgift', |     'new_expense' => 'Angi utgift', | ||||||
|     'enter_expense' => 'Angi Utgift', |  | ||||||
|     'vendors' => 'Leverandører', |  | ||||||
|     'new_vendor' => 'Ny Leverandør', |     'new_vendor' => 'Ny Leverandør', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Leverandør', |     'vendor' => 'Leverandør', | ||||||
| @ -1191,7 +1188,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1203,7 +1200,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Blitt endret til månedlig :date', |     'plan_pending_monthly' => 'Blitt endret til månedlig :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live Preview', |  | ||||||
|     'page_size' => 'Page Size', |     'page_size' => 'Page Size', | ||||||
|     'live_preview_disabled' => 'Live preview has been disabled to support selected font', |     'live_preview_disabled' => 'Live preview has been disabled to support selected font', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1460,40 +1456,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Regnskap & Juridisk', |  | ||||||
|     'industry_Advertising' => 'Reklame', |  | ||||||
|     'industry_Aerospace' => 'Luftfart', |  | ||||||
|     'industry_Agriculture' => 'Jordbruk', |  | ||||||
|     'industry_Automotive' => 'Bil', |  | ||||||
|     'industry_Banking & Finance' => 'Bank & Finans', |  | ||||||
|     'industry_Biotechnology' => 'Bioteknologi', |  | ||||||
|     'industry_Broadcasting' => 'Kringkasting', |  | ||||||
|     'industry_Business Services' => 'Bedriftstjenester', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Råvarer & kjemikalier', |  | ||||||
|     'industry_Communications' => 'Kommunikasjon', |  | ||||||
|     'industry_Computers & Hightech' => 'Datamaskiner & høyteknologi', |  | ||||||
|     'industry_Defense' => 'Forsvar', |  | ||||||
|     'industry_Energy' => 'Kraft', |  | ||||||
|     'industry_Entertainment' => 'Underholdning', |  | ||||||
|     'industry_Government' => 'Statlig', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Helse- og livsvitenskap', |  | ||||||
|     'industry_Insurance' => 'Forsikring', |  | ||||||
|     'industry_Manufacturing' => 'Produksjon', |  | ||||||
|     'industry_Marketing' => 'Markedsføring', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Ideelle virksomheter og høyere utdanning', |  | ||||||
|     'industry_Pharmaceuticals' => 'Farmasi', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Konsulenttjenester', |  | ||||||
|     'industry_Real Estate' => 'Eiendom', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Detaljhandel & engros', |  | ||||||
|     'industry_Sports' => 'Sport', |  | ||||||
|     'industry_Transportation' => 'Transport', |  | ||||||
|     'industry_Travel & Luxury' => 'Reise & Luksus', |  | ||||||
|     'industry_Other' => 'Andre', |  | ||||||
|     'industry_Photography' => 'Foto', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2251,7 +2213,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Ikke gyldig fil type', |     'invalid_file' => 'Ikke gyldig fil type', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Merk betalt', |     'mark_expense_paid' => 'Merk betalt', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation code', |     'wrong_confirmation' => 'Incorrect confirmation code', | ||||||
|     'oauth_taken' => 'Denne kontoen er allerede registrert', |     'oauth_taken' => 'Denne kontoen er allerede registrert', | ||||||
| @ -2450,6 +2412,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'skriv tilbakemelding', |     'writing_a_review' => 'skriv tilbakemelding', | ||||||
| @ -4229,7 +4192,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4298,6 +4260,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4351,7 +4316,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4542,7 +4506,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'E-post har blitt sendt til :client - Faktura :invoice pålydende :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4852,7 +4815,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4907,7 +4869,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5011,6 +4973,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Betalingsprovider', |     'payment_gateway' => 'Betalingsprovider', | ||||||
|     'gateway_id' => 'provider', |     'gateway_id' => 'provider', | ||||||
|     'email_notifications' => 'E-mail meldingen', |     '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_viewed' => 'E-mail mij wanneer een factuur is <b>bekeken</b>', | ||||||
|     'email_paid' => 'E-mail mij wanneer een factuur is <b>betaald</b>', |     'email_paid' => 'E-mail mij wanneer een factuur is <b>betaald</b>', | ||||||
|     'site_updates' => 'Site Aanpassingen', |     'site_updates' => 'Site Aanpassingen', | ||||||
| @ -901,8 +900,6 @@ $LANG = array( | |||||||
|     'expense' => 'Uitgave', |     'expense' => 'Uitgave', | ||||||
|     'expenses' => 'Uitgaven', |     'expenses' => 'Uitgaven', | ||||||
|     'new_expense' => 'Nieuwe uitgave', |     'new_expense' => 'Nieuwe uitgave', | ||||||
|     'enter_expense' => 'Nieuwe uitgave', |  | ||||||
|     'vendors' => 'Leveranciers', |  | ||||||
|     'new_vendor' => 'Nieuwe leverancier', |     'new_vendor' => 'Nieuwe leverancier', | ||||||
|     'payment_terms_net' => 'Betaaltermijn', |     'payment_terms_net' => 'Betaaltermijn', | ||||||
|     'vendor' => 'Leverancier', |     'vendor' => 'Leverancier', | ||||||
| @ -1182,7 +1179,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Abonnement gestart', |     'plan_started' => 'Abonnement gestart', | ||||||
|     'plan_expires' => 'Abonnement verloopt', |     'plan_expires' => 'Abonnement verloopt', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Jaarabonnement op Invoice Ninja Pro.', |     'pro_plan_year_description' => 'Jaarabonnement op Invoice Ninja Pro.', | ||||||
|     'pro_plan_month_description' => 'Maandabonnement op Invoice Ninja Pro.', |     'pro_plan_month_description' => 'Maandabonnement op Invoice Ninja Pro.', | ||||||
| @ -1194,7 +1191,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Zal omgezet wordt in maandelijks op :date', |     'plan_pending_monthly' => 'Zal omgezet wordt in maandelijks op :date', | ||||||
|     'plan_refunded' => 'Een terugbetaling is toegekend.', |     'plan_refunded' => 'Een terugbetaling is toegekend.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live Voorbeeld', |  | ||||||
|     'page_size' => 'Paginagrootte', |     'page_size' => 'Paginagrootte', | ||||||
|     'live_preview_disabled' => 'Live voorbeeld weergave is uitgeschakeld om het geselecteerde lettertype te ondersteunen.', |     'live_preview_disabled' => 'Live voorbeeld weergave is uitgeschakeld om het geselecteerde lettertype te ondersteunen.', | ||||||
|     'invoice_number_padding' => 'Marge', |     'invoice_number_padding' => 'Marge', | ||||||
| @ -1451,40 +1447,6 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Boekhouding & juridisch', |  | ||||||
|     'industry_Advertising' => 'Adverteren', |  | ||||||
|     'industry_Aerospace' => 'Ruimtevaart', |  | ||||||
|     'industry_Agriculture' => 'Landbouw', |  | ||||||
|     'industry_Automotive' => 'Automobiel', |  | ||||||
|     'industry_Banking & Finance' => 'Bank & financiën', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnologie', |  | ||||||
|     'industry_Broadcasting' => 'Omroep', |  | ||||||
|     'industry_Business Services' => 'Zakelijke diensten', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Koopwaar & chemicaliën', |  | ||||||
|     'industry_Communications' => 'Communicatie', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers & hoogtechnologisch', |  | ||||||
|     'industry_Defense' => 'Defensie', |  | ||||||
|     'industry_Energy' => 'Energie', |  | ||||||
|     'industry_Entertainment' => 'Entertainment', |  | ||||||
|     'industry_Government' => 'Overheid', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Gezondheid & levenswetenschappen', |  | ||||||
|     'industry_Insurance' => 'Verzekering', |  | ||||||
|     'industry_Manufacturing' => 'Fabricage', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Non-profit & hoger onderwijs', |  | ||||||
|     'industry_Pharmaceuticals' => 'Farmaceutisch', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professionele diensten & raadgeving', |  | ||||||
|     'industry_Real Estate' => 'Onroerend goed', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Klein- & groothandel', |  | ||||||
|     'industry_Sports' => 'Sport', |  | ||||||
|     'industry_Transportation' => 'Vervoer', |  | ||||||
|     'industry_Travel & Luxury' => 'Reizen & luxe', |  | ||||||
|     'industry_Other' => 'Andere', |  | ||||||
|     'industry_Photography' => 'Fotografie', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albanië', |     'country_Albania' => 'Albanië', | ||||||
| @ -2242,7 +2204,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen | |||||||
|     'invalid_file' => 'Ongeldig bestandstype', |     'invalid_file' => 'Ongeldig bestandstype', | ||||||
|     'add_documents_to_invoice' => 'Voeg documenten toe aan uw factuur', |     'add_documents_to_invoice' => 'Voeg documenten toe aan uw factuur', | ||||||
|     'mark_expense_paid' => 'Markeer als betaald', |     'mark_expense_paid' => 'Markeer als betaald', | ||||||
|     'white_label_license_error' => 'Validatie van de licentie mislukt, controleer storage/logs/laravel-error.log voor meer informatie.', |     'white_label_license_error' => 'De licentie validatie is mislukt. De licentie is verlopen of te vaak geactiveerd. Email contact@invoiceninja.com voor meer informatie.', | ||||||
|     'plan_price' => 'Plan prijs', |     'plan_price' => 'Plan prijs', | ||||||
|     'wrong_confirmation' => 'Incorrecte bevestigingscode', |     'wrong_confirmation' => 'Incorrecte bevestigingscode', | ||||||
|     'oauth_taken' => 'Het account is al geregistreerd', |     'oauth_taken' => 'Het account is al geregistreerd', | ||||||
| @ -2441,6 +2403,7 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cubaanse Peso', |     'currency_cuban_peso' => 'Cubaanse Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hopen dat je het leuk vindt om de app te gebruiken.<br/> Als je zou overwegen :link, zouden we dat zeer op prijs stellen!', |     'review_app_help' => 'We hopen dat je het leuk vindt om de app te gebruiken.<br/> Als je zou overwegen :link, zouden we dat zeer op prijs stellen!', | ||||||
|     'writing_a_review' => 'een recensie schrijven', |     'writing_a_review' => 'een recensie schrijven', | ||||||
| @ -4223,7 +4186,6 @@ Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen | |||||||
| IP: :ip</b> | IP: :ip</b> | ||||||
| Tijd: :time<br> | Tijd: :time<br> | ||||||
| Email: :email<b><br><b>', | Email: :email<b><br><b>', | ||||||
|     'download_backup_subject' => 'De backup van uw bedrijf is beschikbaar om te downloaden.', |  | ||||||
|     'contact_details' => 'Contactgegevens', |     'contact_details' => 'Contactgegevens', | ||||||
|     'download_backup_subject' => 'De backup van uw bedrijf is beschikbaar om te downloaden.', |     'download_backup_subject' => 'De backup van uw bedrijf is beschikbaar om te downloaden.', | ||||||
|     'account_passwordless_login' => 'Toegang zonder wachtwoord', |     'account_passwordless_login' => 'Toegang zonder wachtwoord', | ||||||
| @ -4292,6 +4254,9 @@ Email: :email<b><br><b>', | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Voeg eerst een betaalmethode toe voordat je probeert te betalen.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'U moet de voorwaarden accepteren voordat u verder gaat.', |     'you_need_to_accept_the_terms_before_proceeding' => 'U moet de voorwaarden accepteren voordat u verder gaat.', | ||||||
|     'direct_debit' => 'Automatische Incasso', |     'direct_debit' => 'Automatische Incasso', | ||||||
| @ -4345,7 +4310,6 @@ Email: :email<b><br><b>', | |||||||
|     'has_tasks' => 'Heeft taken', |     'has_tasks' => 'Heeft taken', | ||||||
|     'registration' => 'Registratie', |     'registration' => 'Registratie', | ||||||
|     'unauthorized_stripe_warning' => 'Autoriseer Stripe om online betalingen te accepteren.', |     'unauthorized_stripe_warning' => 'Autoriseer Stripe om online betalingen te accepteren.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Alle records bijwerken', |     'update_all_records' => 'Alle records bijwerken', | ||||||
|     'set_default_company' => 'Stel in als standaard bedrijf', |     'set_default_company' => 'Stel in als standaard bedrijf', | ||||||
|     'updated_company' => 'Bedrijf succesvol geüpdatet', |     'updated_company' => 'Bedrijf succesvol geüpdatet', | ||||||
| @ -4442,57 +4406,57 @@ Email: :email<b><br><b>', | |||||||
|     'invoice_item' => 'Factuur item', |     'invoice_item' => 'Factuur item', | ||||||
|     'quote_item' => 'Offerte item', |     'quote_item' => 'Offerte item', | ||||||
|     'order' => 'Bestelling', |     'order' => 'Bestelling', | ||||||
|     'search_kanban' => 'Search Kanban', |     'search_kanban' => 'Zoek in Kanban', | ||||||
|     'search_kanbans' => 'Search Kanban', |     'search_kanbans' => 'Zoek in Kanban', | ||||||
|     'move_top' => 'Verplaats naar bovenste', |     'move_top' => 'Verplaats naar bovenste', | ||||||
|     'move_up' => 'Verplaats omhoog', |     'move_up' => 'Verplaats omhoog', | ||||||
|     'move_down' => 'Verplaats omlaag', |     'move_down' => 'Verplaats omlaag', | ||||||
|     'move_bottom' => 'Verplaatsknop', |     'move_bottom' => 'Verplaatsknop', | ||||||
|     'body_variable_missing' => 'Error: the custom email must include a :body variable', |     'body_variable_missing' => 'Fout: de aangepaste email moet een :body variabele bevatten', | ||||||
|     'add_body_variable_message' => 'Make sure to include a :body variable', |     'add_body_variable_message' => 'Zorg ervoor dat je een :body variabele gebruikt', | ||||||
|     'view_date_formats' => 'Bijkijk datumformaten', |     'view_date_formats' => 'Bijkijk datumformaten', | ||||||
|     'is_viewed' => 'Is Viewed', |     'is_viewed' => 'Bekeken', | ||||||
|     'letter' => 'Letter', |     'letter' => 'Brief', | ||||||
|     'legal' => 'Legal', |     'legal' => 'Legaal', | ||||||
|     'page_layout' => 'Verticaal', |     'page_layout' => 'Verticaal', | ||||||
|     'portrait' => 'Portrait', |     'portrait' => 'Portrait', | ||||||
|     'landscape' => 'Horizontaal', |     'landscape' => 'Horizontaal', | ||||||
|     'owner_upgrade_to_paid_plan' => 'De accounteigenaar kan upgraden naar een betaald abonnement om de geavanceerde geavanceerde instellingen in te schakelen', |     'owner_upgrade_to_paid_plan' => 'De accounteigenaar kan upgraden naar een betaald abonnement om de geavanceerde geavanceerde instellingen in te schakelen', | ||||||
|     'upgrade_to_paid_plan' => 'Upgrade naar een betaald abonnement om de geavanceerde instellingen in te schakelen', |     'upgrade_to_paid_plan' => 'Upgrade naar een betaald abonnement om de geavanceerde instellingen in te schakelen', | ||||||
|     'invoice_payment_terms' => 'Betalingstermijnen factuur', |     'invoice_payment_terms' => 'Betalingstermijnen factuur', | ||||||
|     'quote_valid_until' => 'Quote Valid Until', |     'quote_valid_until' => 'Offerte geldig tot', | ||||||
|     'no_headers' => 'Geen kopteksten', |     'no_headers' => 'Geen kopteksten', | ||||||
|     'add_header' => 'Voeg koptekst toe', |     'add_header' => 'Voeg koptekst toe', | ||||||
|     'remove_header' => 'Verwijder koptekst', |     'remove_header' => 'Verwijder koptekst', | ||||||
|     'return_url' => 'Return URL', |     'return_url' => 'Terugkeer URL', | ||||||
|     'rest_method' => 'REST Method', |     'rest_method' => 'REST Methode', | ||||||
|     'header_key' => 'Header Key', |     'header_key' => 'Header sleutel', | ||||||
|     'header_value' => 'Header Value', |     'header_value' => 'Header waarde', | ||||||
|     'recurring_products' => 'Terugkerende producten', |     'recurring_products' => 'Terugkerende producten', | ||||||
|     'promo_discount' => 'Promo Discount', |     'promo_discount' => 'Promotiekorting', | ||||||
|     'allow_cancellation' => 'Annuleren toestaan', |     'allow_cancellation' => 'Annuleren toestaan', | ||||||
|     'per_seat_enabled' => 'Per stoel ingeschakeld', |     'per_seat_enabled' => 'Per stoel ingeschakeld', | ||||||
|     'max_seats_limit' => 'Maximale aantal zitplaatsen', |     'max_seats_limit' => 'Maximale aantal zitplaatsen', | ||||||
|     'trial_enabled' => 'Trial Enabled', |     'trial_enabled' => 'Proefperiode ingeschakeld', | ||||||
|     'trial_duration' => 'Trial Duration', |     'trial_duration' => 'Proefperiode duratie', | ||||||
|     'allow_query_overrides' => 'Allow Query Overrides', |     'allow_query_overrides' => 'Sta query overrides toe', | ||||||
|     'allow_plan_changes' => 'Allow Plan Changes', |     'allow_plan_changes' => 'Sta planswijzigingen toe', | ||||||
|     'plan_map' => 'Plan Map', |     'plan_map' => 'Plan map', | ||||||
|     'refund_period' => 'Terugbetalingsperiode', |     'refund_period' => 'Terugbetalingsperiode', | ||||||
|     'webhook_configuration' => 'Webhook Configuration', |     'webhook_configuration' => 'Webhook Configuratie', | ||||||
|     'purchase_page' => 'Purchase Page', |     'purchase_page' => 'Aankoop pagina', | ||||||
|     'email_bounced' => 'Email Bounced', |     'email_bounced' => 'Email gebounced', | ||||||
|     'email_spam_complaint' => 'Spam Complaint', |     'email_spam_complaint' => 'Spam klacht', | ||||||
|     'email_delivery' => 'Email Delivery', |     'email_delivery' => 'Email bezorging', | ||||||
|     'webhook_response' => 'Webhook Response', |     'webhook_response' => 'Webhook Response', | ||||||
|     'pdf_response' => 'PDF Response', |     'pdf_response' => 'PDF Response', | ||||||
|     'authentication_failure' => 'Authentication Failure', |     'authentication_failure' => 'Authenticatie Mislukt', | ||||||
|     'pdf_failed' => 'Pdf mislukt', |     'pdf_failed' => 'Pdf mislukt', | ||||||
|     'pdf_success' => 'Pdf succesvol', |     'pdf_success' => 'Pdf succesvol', | ||||||
|     'modified' => 'Bewerkt', |     'modified' => 'Bewerkt', | ||||||
|     'html_mode' => 'HTML Mode', |     'html_mode' => 'HTML Mode', | ||||||
|     'html_mode_help' => 'Voorvertoning laadt sneller maar is minder accuraat', |     'html_mode_help' => 'Voorvertoning laadt sneller maar is minder accuraat', | ||||||
|     'status_color_theme' => 'Status Color Theme', |     'status_color_theme' => 'Status Kleurenthema', | ||||||
|     'load_color_theme' => 'Kleurthema laden', |     'load_color_theme' => 'Kleurthema laden', | ||||||
|     'lang_Estonian' => 'Estland', |     'lang_Estonian' => 'Estland', | ||||||
|     'marked_credit_as_paid' => 'Creditnota gemarkeerd als betaald', |     'marked_credit_as_paid' => 'Creditnota gemarkeerd als betaald', | ||||||
| @ -4536,7 +4500,6 @@ Email: :email<b><br><b>', | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Totaal velden', |     'total_columns' => 'Totaal velden', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Annuleer', |     'cancel_invoice' => 'Annuleer', | ||||||
| @ -4846,7 +4809,6 @@ Email: :email<b><br><b>', | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed 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', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4901,7 +4863,7 @@ Email: :email<b><br><b>', | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5005,6 +4967,48 @@ Email: :email<b><br><b>', | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
							
								
								
									
										1028
									
								
								lang/pl/texts.php
									
									
									
									
									
								
							
							
						
						
									
										1028
									
								
								lang/pl/texts.php
									
									
									
									
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							| @ -16,7 +16,7 @@ $LANG = array( | |||||||
|     'first_name' => 'Nome', |     'first_name' => 'Nome', | ||||||
|     'last_name' => 'Sobrenome', |     'last_name' => 'Sobrenome', | ||||||
|     'phone' => 'Telefone', |     'phone' => 'Telefone', | ||||||
|     'email' => 'Email', |     'email' => 'E-mail', | ||||||
|     'additional_info' => 'Informações Adicionais', |     'additional_info' => 'Informações Adicionais', | ||||||
|     'payment_terms' => 'Condição de Pagamento', |     'payment_terms' => 'Condição de Pagamento', | ||||||
|     'currency_id' => 'Moeda', |     'currency_id' => 'Moeda', | ||||||
| @ -63,7 +63,7 @@ $LANG = array( | |||||||
|     'clone_invoice' => 'Clonar Fatura', |     'clone_invoice' => 'Clonar Fatura', | ||||||
|     'archive_invoice' => 'Arquivar Fatura', |     'archive_invoice' => 'Arquivar Fatura', | ||||||
|     'delete_invoice' => 'Excluir Fatura', |     'delete_invoice' => 'Excluir Fatura', | ||||||
|     'email_invoice' => 'Enviar Fatura por Email', |     'email_invoice' => 'Enviar Fatura por E-mail', | ||||||
|     'enter_payment' => 'Informar Pagamento', |     'enter_payment' => 'Informar Pagamento', | ||||||
|     'tax_rates' => 'Taxas de Impostos', |     'tax_rates' => 'Taxas de Impostos', | ||||||
|     'rate' => 'Taxa', |     'rate' => 'Taxa', | ||||||
| @ -92,7 +92,7 @@ $LANG = array( | |||||||
|     'download' => 'Download', |     'download' => 'Download', | ||||||
|     'cancel' => 'Cancelar', |     'cancel' => 'Cancelar', | ||||||
|     'close' => 'Fechar', |     'close' => 'Fechar', | ||||||
|     'provide_email' => 'Por favor forneça um endereço de email válido', |     'provide_email' => 'Por favor forneça um endereço de e-mail válido', | ||||||
|     'powered_by' => 'Desenvolvido por', |     'powered_by' => 'Desenvolvido por', | ||||||
|     'no_items' => 'Sem itens', |     'no_items' => 'Sem itens', | ||||||
|     'recurring_invoices' => 'Faturas Recorrentes', |     'recurring_invoices' => 'Faturas Recorrentes', | ||||||
| @ -162,7 +162,7 @@ $LANG = array( | |||||||
|     'are_you_sure' => 'Você tem certeza?', |     'are_you_sure' => 'Você tem certeza?', | ||||||
|     'payment_type_id' => 'Tipo de Pagamento', |     'payment_type_id' => 'Tipo de Pagamento', | ||||||
|     'amount' => 'Valor', |     'amount' => 'Valor', | ||||||
|     'work_email' => 'Email', |     'work_email' => 'E-mail', | ||||||
|     'language_id' => 'Idioma', |     'language_id' => 'Idioma', | ||||||
|     'timezone_id' => 'Fuso Horário', |     'timezone_id' => 'Fuso Horário', | ||||||
|     'date_format_id' => 'Formato da Data', |     'date_format_id' => 'Formato da Data', | ||||||
| @ -173,10 +173,9 @@ $LANG = array( | |||||||
|     'logo_help' => 'Suportados: JPEG, GIF and PNG', |     'logo_help' => 'Suportados: JPEG, GIF and PNG', | ||||||
|     'payment_gateway' => 'Gateway de Pagamento', |     'payment_gateway' => 'Gateway de Pagamento', | ||||||
|     'gateway_id' => 'Gateway', |     'gateway_id' => 'Gateway', | ||||||
|     'email_notifications' => 'Notificações por Email', |     'email_notifications' => 'Notificações por E-mail', | ||||||
|     'email_sent' => 'Notificar-me por email quando a fatura for <b>enviada</b>', |     'email_viewed' => 'Notificar-me por e-mail quando a fatura for <b>visualizada</b>', | ||||||
|     'email_viewed' => 'Notificar-me por email quando a fatura for <b>visualizada</b>', |     'email_paid' => 'Notificar-me por e-mail quando a fatura for <b>paga</b>', | ||||||
|     'email_paid' => 'Notificar-me por email quando a fatura for <b>paga</b>', |  | ||||||
|     'site_updates' => 'Atualizações do Site', |     'site_updates' => 'Atualizações do Site', | ||||||
|     'custom_messages' => 'Mensagens Personalizadas', |     'custom_messages' => 'Mensagens Personalizadas', | ||||||
|     'default_email_footer' => 'Definir <b>assinatura de email</b> padrão', |     'default_email_footer' => 'Definir <b>assinatura de email</b> padrão', | ||||||
| @ -187,7 +186,7 @@ $LANG = array( | |||||||
|     'import_to' => 'Importar para', |     'import_to' => 'Importar para', | ||||||
|     'client_will_create' => 'cliente será criado', |     'client_will_create' => 'cliente será criado', | ||||||
|     'clients_will_create' => 'clientes serão criados', |     'clients_will_create' => 'clientes serão criados', | ||||||
|     'email_settings' => 'Configurações de Email', |     'email_settings' => 'Configurações de E-mail', | ||||||
|     'client_view_styling' => 'Estilo de Visão do Cliente', |     'client_view_styling' => 'Estilo de Visão do Cliente', | ||||||
|     'pdf_email_attachment' => 'Anexar PDF', |     'pdf_email_attachment' => 'Anexar PDF', | ||||||
|     'custom_css' => 'CSS Personalizado', |     'custom_css' => 'CSS Personalizado', | ||||||
| @ -195,7 +194,7 @@ $LANG = array( | |||||||
|     'csv_file' => 'Arquivo CSV', |     'csv_file' => 'Arquivo CSV', | ||||||
|     'export_clients' => 'Exportar Dados do Cliente', |     'export_clients' => 'Exportar Dados do Cliente', | ||||||
|     'created_client' => 'Cliente criado com sucesso', |     'created_client' => 'Cliente criado com sucesso', | ||||||
|     'created_clients' => ':count cliente(s) criado(s) com sucesso', |     'created_clients' => 'Criado com sucesso :count cliente(s)', | ||||||
|     'updated_settings' => 'Configurações atualizadas com sucesso', |     'updated_settings' => 'Configurações atualizadas com sucesso', | ||||||
|     'removed_logo' => 'Logotipo removido com sucesso', |     'removed_logo' => 'Logotipo removido com sucesso', | ||||||
|     'sent_message' => 'Mensagem enviada com sucesso', |     'sent_message' => 'Mensagem enviada com sucesso', | ||||||
| @ -219,7 +218,7 @@ $LANG = array( | |||||||
|     'deleted_invoice' => 'Fatura excluída com sucesso', |     'deleted_invoice' => 'Fatura excluída com sucesso', | ||||||
|     'deleted_invoices' => ':count faturas excluídas com sucesso', |     'deleted_invoices' => ':count faturas excluídas com sucesso', | ||||||
|     'created_payment' => 'Pagamento criado com sucesso', |     'created_payment' => 'Pagamento criado com sucesso', | ||||||
|     'created_payments' => ':count pagamento(s) criado(s) com sucesso', |     'created_payments' => 'Criado com sucesso :count pagamento(s)', | ||||||
|     'archived_payment' => 'Pagamento arquivado com sucesso', |     'archived_payment' => 'Pagamento arquivado com sucesso', | ||||||
|     'archived_payments' => ':count pagamentos arquivados com sucesso', |     'archived_payments' => ':count pagamentos arquivados com sucesso', | ||||||
|     'deleted_payment' => 'Pagamento excluído com sucesso', |     'deleted_payment' => 'Pagamento excluído com sucesso', | ||||||
| @ -489,7 +488,7 @@ Não consegue achar a fatura? Precisa de mais ajuda? Ficaremos feliz em ajudar | |||||||
|     'updated_password' => 'Senha atualizada com sucesso', |     'updated_password' => 'Senha atualizada com sucesso', | ||||||
|     'api_tokens' => 'Tokens de API', |     'api_tokens' => 'Tokens de API', | ||||||
|     'users_and_tokens' => 'Usuários & Tokens', |     'users_and_tokens' => 'Usuários & Tokens', | ||||||
|     'account_login' => 'Login na Conta', |     'account_login' => 'Acessar Conta', | ||||||
|     'recover_password' => 'Recupere sua senha', |     'recover_password' => 'Recupere sua senha', | ||||||
|     'forgot_password' => 'Esqueceu sua senha?', |     'forgot_password' => 'Esqueceu sua senha?', | ||||||
|     'email_address' => 'Endereço de email', |     'email_address' => 'Endereço de email', | ||||||
| @ -614,7 +613,7 @@ Não consegue achar a fatura? Precisa de mais ajuda? Ficaremos feliz em ajudar | |||||||
|     'new_company' => 'Nova Empresa', |     'new_company' => 'Nova Empresa', | ||||||
|     'associated_accounts' => 'Contas vinculadas com sucesso', |     'associated_accounts' => 'Contas vinculadas com sucesso', | ||||||
|     'unlinked_account' => 'Contas desvinculadas com sucesso', |     'unlinked_account' => 'Contas desvinculadas com sucesso', | ||||||
|     'login' => 'Login', |     'login' => 'Acessar', | ||||||
|     'or' => 'ou', |     'or' => 'ou', | ||||||
|     'email_error' => 'Houve um problema ao enviar o email', |     'email_error' => 'Houve um problema ao enviar o email', | ||||||
|     'confirm_recurring_timing' => 'Nota: emails são enviados no início da hora.', |     'confirm_recurring_timing' => 'Nota: emails são enviados no início da hora.', | ||||||
| @ -904,8 +903,6 @@ Não consegue achar a fatura? Precisa de mais ajuda? Ficaremos feliz em ajudar | |||||||
|     'expense' => 'Despesa', |     'expense' => 'Despesa', | ||||||
|     'expenses' => 'Despesas', |     'expenses' => 'Despesas', | ||||||
|     'new_expense' => 'Informar Despesa', |     'new_expense' => 'Informar Despesa', | ||||||
|     'enter_expense' => 'Incluir Despesa', |  | ||||||
|     'vendors' => 'Fornecedores', |  | ||||||
|     'new_vendor' => 'Novo Fornecedor', |     'new_vendor' => 'Novo Fornecedor', | ||||||
|     'payment_terms_net' => 'Prazo', |     'payment_terms_net' => 'Prazo', | ||||||
|     'vendor' => 'Fornecedor', |     'vendor' => 'Fornecedor', | ||||||
| @ -1135,7 +1132,7 @@ Não consegue achar a fatura? Precisa de mais ajuda? Ficaremos feliz em ajudar | |||||||
|     'dropzone_default_message' => 'Solte arquivos ou clique para fazer upload', |     'dropzone_default_message' => 'Solte arquivos ou clique para fazer upload', | ||||||
|     'dropzone_default_message_disabled' => 'Uploads desabilitados', |     'dropzone_default_message_disabled' => 'Uploads desabilitados', | ||||||
|     'dropzone_fallback_message' => 'Seu navegador não suporte upload de arquivos arraste & solte.', |     'dropzone_fallback_message' => 'Seu navegador não suporte upload de arquivos arraste & solte.', | ||||||
|     'dropzone_fallback_text' => 'Por favor utilize o formulário de fallback abaixo para enviar seus arquivos como nos velhos tempos.', |     'dropzone_fallback_text' => 'Por favor, use o formulário alternativo abaixo para enviar seus arquivos como nos velhos tempos.', | ||||||
|     'dropzone_file_too_big' => 'O arquivo é grande demais ({{filesize}}MiB). Tam. Máximo de arquivo: {{maxFilesize}}MiB.', |     'dropzone_file_too_big' => 'O arquivo é grande demais ({{filesize}}MiB). Tam. Máximo de arquivo: {{maxFilesize}}MiB.', | ||||||
|     'dropzone_invalid_file_type' => 'Você não pode fazer upload de arquivos desse tipo.', |     'dropzone_invalid_file_type' => 'Você não pode fazer upload de arquivos desse tipo.', | ||||||
|     'dropzone_response_error' => 'Servidor respondeu com código {{statusCode}}.', |     'dropzone_response_error' => 'Servidor respondeu com código {{statusCode}}.', | ||||||
| @ -1185,7 +1182,7 @@ Não consegue achar a fatura? Precisa de mais ajuda? Ficaremos feliz em ajudar | |||||||
|     'plan_started' => 'Plano Iniciado', |     'plan_started' => 'Plano Iniciado', | ||||||
|     'plan_expires' => 'Expiração do Plano', |     'plan_expires' => 'Expiração do Plano', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Inscrição de um ano no Plano Pro do Invoice Ninja', |     'pro_plan_year_description' => 'Inscrição de um ano no Plano Pro do Invoice Ninja', | ||||||
|     'pro_plan_month_description' => 'Inscrição de um mês no Plano Pro do Invoice Ninja', |     'pro_plan_month_description' => 'Inscrição de um mês no Plano Pro do Invoice Ninja', | ||||||
| @ -1197,7 +1194,6 @@ Não consegue achar a fatura? Precisa de mais ajuda? Ficaremos feliz em ajudar | |||||||
|     'plan_pending_monthly' => 'Vai trocar por mensal em :date', |     'plan_pending_monthly' => 'Vai trocar por mensal em :date', | ||||||
|     'plan_refunded' => 'Um reembolso foi solicitado.', |     'plan_refunded' => 'Um reembolso foi solicitado.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Pré-visualização em Tempo Real', |  | ||||||
|     'page_size' => 'Tamanho da Página', |     'page_size' => 'Tamanho da Página', | ||||||
|     'live_preview_disabled' => 'Visualização ao vivo foi desabilitada para suportar a fonte selecionada', |     'live_preview_disabled' => 'Visualização ao vivo foi desabilitada para suportar a fonte selecionada', | ||||||
|     'invoice_number_padding' => 'Espaçamento', |     'invoice_number_padding' => 'Espaçamento', | ||||||
| @ -1454,40 +1450,6 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Contabilidade & Jurídico', |  | ||||||
|     'industry_Advertising' => 'Publicidade', |  | ||||||
|     'industry_Aerospace' => 'Aeroespacial', |  | ||||||
|     'industry_Agriculture' => 'Agricultura', |  | ||||||
|     'industry_Automotive' => 'Automotivo', |  | ||||||
|     'industry_Banking & Finance' => 'Bancário & Finanças', |  | ||||||
|     'industry_Biotechnology' => 'Biotecnologia', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Serviços Empresariais', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Químicos', |  | ||||||
|     'industry_Communications' => 'Comunicações', |  | ||||||
|     'industry_Computers & Hightech' => 'Computadores e Tecnologia', |  | ||||||
|     'industry_Defense' => 'Defesa', |  | ||||||
|     'industry_Energy' => 'Energia', |  | ||||||
|     'industry_Entertainment' => 'Entretenimento', |  | ||||||
|     'industry_Government' => 'Governo', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Saúde & Ciências da Vida', |  | ||||||
|     'industry_Insurance' => 'Seguros', |  | ||||||
|     'industry_Manufacturing' => 'Manufatura', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Mídia', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Sem Fins Lucrativos e Educação', |  | ||||||
|     'industry_Pharmaceuticals' => 'Farmacêuticos', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Serviços Profissionais e Consultoria', |  | ||||||
|     'industry_Real Estate' => 'Imóveis', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurantes e Bufês', |  | ||||||
|     'industry_Retail & Wholesale' => 'Atacado e Varejo', |  | ||||||
|     'industry_Sports' => 'Esportes', |  | ||||||
|     'industry_Transportation' => 'Transportes', |  | ||||||
|     'industry_Travel & Luxury' => 'Viagens e Luxo', |  | ||||||
|     'industry_Other' => 'Outros', |  | ||||||
|     'industry_Photography' => 'Fotografia', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afeganistão', |     'country_Afghanistan' => 'Afeganistão', | ||||||
|     'country_Albania' => 'Albânia', |     'country_Albania' => 'Albânia', | ||||||
| @ -2126,7 +2088,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
| 
 | 
 | ||||||
|     // New Client Portal styling
 |     // New Client Portal styling
 | ||||||
|     'invoice_from' => 'Faturas De:', |     'invoice_from' => 'Faturas De:', | ||||||
|     'email_alias_message' => 'Nós exigimos que cada empresa tenha um email único. <br/>Considere utilizar um apelido. Ex: email+label@exemplo.com', |     'email_alias_message' => 'Exigimos que cada empresa tenha um endereço de e-mail exclusivo. <br/>Considere usar um alias. ou seja, e-mail+label@example.com', | ||||||
|     'full_name' => 'Nome Completo', |     'full_name' => 'Nome Completo', | ||||||
|     'month_year' => 'MÊS/ANO', |     'month_year' => 'MÊS/ANO', | ||||||
|     'valid_thru' => 'Válido\naté', |     'valid_thru' => 'Válido\naté', | ||||||
| @ -2245,7 +2207,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'invalid_file' => 'Tipo de arquivo inválido', |     'invalid_file' => 'Tipo de arquivo inválido', | ||||||
|     'add_documents_to_invoice' => 'Adicione documentos a fatura', |     'add_documents_to_invoice' => 'Adicione documentos a fatura', | ||||||
|     'mark_expense_paid' => 'Marcar como pago', |     'mark_expense_paid' => 'Marcar como pago', | ||||||
|     'white_label_license_error' => 'Falha ao validar a licença, verifique storage/logs/laravel-error.log para mais detalhes.', |     'white_label_license_error' => 'Falha ao validar a licença, expirada ou ativações excessivas. Envie um e-mail para contact@invoiceninja.com para obter mais informações.', | ||||||
|     'plan_price' => 'Preço do Plano', |     'plan_price' => 'Preço do Plano', | ||||||
|     'wrong_confirmation' => 'Código de confirmação incorreto', |     'wrong_confirmation' => 'Código de confirmação incorreto', | ||||||
|     'oauth_taken' => 'Esta conta já está registrada', |     'oauth_taken' => 'Esta conta já está registrada', | ||||||
| @ -2444,6 +2406,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Peso Cubano', |     'currency_cuban_peso' => 'Peso Cubano', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dólar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'Esperamos que esteja aproveitando o app. <br/>Se você considerar :link agradeceríamos bastante!', |     'review_app_help' => 'Esperamos que esteja aproveitando o app. <br/>Se você considerar :link agradeceríamos bastante!', | ||||||
|     'writing_a_review' => 'Escrevendo uma avaliação', |     'writing_a_review' => 'Escrevendo uma avaliação', | ||||||
| @ -2509,7 +2472,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'refresh' => 'Atualizar', |     'refresh' => 'Atualizar', | ||||||
|     'filter_sort' => 'Filtrar/Ordenar', |     'filter_sort' => 'Filtrar/Ordenar', | ||||||
|     'no_description' => 'Sem Descrição', |     'no_description' => 'Sem Descrição', | ||||||
|     'time_tracker_login' => 'Login no Rastreador de Tempo', |     'time_tracker_login' => 'Login do Rastreador de Tempo', | ||||||
|     'save_or_discard' => 'Salve ou descarte suas mudanças', |     'save_or_discard' => 'Salve ou descarte suas mudanças', | ||||||
|     'discard_changes' => 'Descartar Mudanças', |     'discard_changes' => 'Descartar Mudanças', | ||||||
|     'tasks_not_enabled' => 'Tarefas não estão habilitadas.', |     'tasks_not_enabled' => 'Tarefas não estão habilitadas.', | ||||||
| @ -2562,13 +2525,13 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'enable_two_factor_help' => 'Use seu telefone para confirmar sua identidade quando estiver logando', |     'enable_two_factor_help' => 'Use seu telefone para confirmar sua identidade quando estiver logando', | ||||||
|     'two_factor_setup' => 'Configuração de Autenticação em 2 Fatores', |     'two_factor_setup' => 'Configuração de Autenticação em 2 Fatores', | ||||||
|     'two_factor_setup_help' => 'Eccaneie o código de barras com um app compatível com :link', |     'two_factor_setup_help' => 'Eccaneie o código de barras com um app compatível com :link', | ||||||
|     'one_time_password' => 'Senha One-Time (OTP)', |     'one_time_password' => 'Senha única', | ||||||
|     'set_phone_for_two_factor' => 'Defina seu número de celular como um backup para habilitação.', |     'set_phone_for_two_factor' => 'Defina seu número de celular como um backup para habilitação.', | ||||||
|     'enabled_two_factor' => 'Ativação de Autenticação em 2 Fatores realizada com sucesso.', |     'enabled_two_factor' => 'Ativação de Autenticação em 2 Fatores realizada com sucesso.', | ||||||
|     'add_product' => 'Adicionar Produto', |     'add_product' => 'Adicionar Produto', | ||||||
|     'email_will_be_sent_on' => 'Nota: o email será enviado em :date.', |     'email_will_be_sent_on' => 'Nota: o email será enviado em :date.', | ||||||
|     'invoice_product' => 'Faturar Produto', |     'invoice_product' => 'Faturar Produto', | ||||||
|     'self_host_login' => 'Login em Self-Host', |     'self_host_login' => 'Login de auto-hospedagem', | ||||||
|     'set_self_hoat_url' => 'URL de Self-Host', |     'set_self_hoat_url' => 'URL de Self-Host', | ||||||
|     'local_storage_required' => 'Erro: armazenamento local não está disponível.', |     'local_storage_required' => 'Erro: armazenamento local não está disponível.', | ||||||
|     'your_password_reset_link' => 'Seu Link de Redefinição de Senha', |     'your_password_reset_link' => 'Seu Link de Redefinição de Senha', | ||||||
| @ -3753,11 +3716,11 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'edit_expense_category' => 'Editar a categoria de Despesas', |     'edit_expense_category' => 'Editar a categoria de Despesas', | ||||||
|     'removed_expense_category' => 'Categoria de despesa removida com sucesso', |     'removed_expense_category' => 'Categoria de despesa removida com sucesso', | ||||||
|     'search_expense_category' => 'Pesquisa 1 Categoria de despesa', |     'search_expense_category' => 'Pesquisa 1 Categoria de despesa', | ||||||
|     'search_expense_categories' => 'Search :count Expense Categories', |     'search_expense_categories' => 'Pesquisar: contar Categoria de Despesas', | ||||||
|     'use_available_credits' => 'Use créditos disponíveis', |     'use_available_credits' => 'Use créditos disponíveis', | ||||||
|     'show_option' => 'Mostrar opção', |     'show_option' => 'Mostrar opção', | ||||||
|     'negative_payment_error' => 'O valor de crédito não pode exceder o valor de pagamento', |     'negative_payment_error' => 'O valor de crédito não pode exceder o valor de pagamento', | ||||||
|     'should_be_invoiced_help' => 'Enable the expense to be invoiced', |     'should_be_invoiced_help' => 'Habilitar a despesa a ser faturada', | ||||||
|     'configure_gateways' => 'Configurar métodos de pagamento', |     'configure_gateways' => 'Configurar métodos de pagamento', | ||||||
|     'payment_partial' => 'Pagamento Parcial', |     'payment_partial' => 'Pagamento Parcial', | ||||||
|     'is_running' => 'Em execução', |     'is_running' => 'Em execução', | ||||||
| @ -3796,14 +3759,14 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'clone_to' => 'Clonar para', |     'clone_to' => 'Clonar para', | ||||||
|     'clone_to_other' => 'Clonar para outro', |     'clone_to_other' => 'Clonar para outro', | ||||||
|     'labels' => 'Etiquetas', |     'labels' => 'Etiquetas', | ||||||
|     'add_custom' => 'Adicionar Personalizado', |     'add_custom' => 'Adicionar Etiqueta Personalizada', | ||||||
|     'payment_tax' => 'Payment Tax', |     'payment_tax' => 'Taxa de Pagamento', | ||||||
|     'white_label' => 'Sem marca', |     'white_label' => 'Sem marca', | ||||||
|     'sent_invoices_are_locked' => 'Sent invoices are locked', |     'sent_invoices_are_locked' => 'As faturas enviadas estão bloqueadas', | ||||||
|     'paid_invoices_are_locked' => 'Paid invoices are locked', |     'paid_invoices_are_locked' => 'As faturas pagas estão bloqueadas', | ||||||
|     'source_code' => 'Source Code', |     'source_code' => 'Código fonte', | ||||||
|     'app_platforms' => 'App Platforms', |     'app_platforms' => 'Plataformas de aplicativos', | ||||||
|     'archived_task_statuses' => 'Successfully archived :value task statuses', |     'archived_task_statuses' => 'Arquivado com sucesso: status de tarefa de valor', | ||||||
|     'deleted_task_statuses' => 'Successfully deleted :value task statuses', |     'deleted_task_statuses' => 'Successfully deleted :value task statuses', | ||||||
|     'restored_task_statuses' => 'Successfully restored :value task statuses', |     'restored_task_statuses' => 'Successfully restored :value task statuses', | ||||||
|     'deleted_expense_categories' => 'Successfully deleted expense :value categories', |     'deleted_expense_categories' => 'Successfully deleted expense :value categories', | ||||||
| @ -3851,17 +3814,17 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'restored_invoices' => 'Successfully restored :value invoices', |     'restored_invoices' => 'Successfully restored :value invoices', | ||||||
|     'restored_payments' => 'Successfully restored :value payments', |     'restored_payments' => 'Successfully restored :value payments', | ||||||
|     'restored_quotes' => 'Successfully restored :value quotes', |     'restored_quotes' => 'Successfully restored :value quotes', | ||||||
|     'update_app' => 'Update App', |     'update_app' => 'Atualizar aplicativo', | ||||||
|     'started_import' => 'Successfully started import', |     'started_import' => 'Successfully started import', | ||||||
|     'duplicate_column_mapping' => 'Duplicate column mapping', |     'duplicate_column_mapping' => 'Duplicate column mapping', | ||||||
|     'uses_inclusive_taxes' => 'Uses Inclusive Taxes', |     'uses_inclusive_taxes' => 'Uses Inclusive Taxes', | ||||||
|     'is_amount_discount' => 'Is Amount Discount', |     'is_amount_discount' => 'Is Amount Discount', | ||||||
|     'map_to' => 'Map To', |     'map_to' => 'Mapa para', | ||||||
|     'first_row_as_column_names' => 'Use first row as column names', |     'first_row_as_column_names' => 'Use a primeira linha como nomes de coluna', | ||||||
|     'no_file_selected' => 'No File Selected', |     'no_file_selected' => 'Nenhum arquivo selecionado', | ||||||
|     'import_type' => 'Import Type', |     'import_type' => 'Tipo de Importação', | ||||||
|     'draft_mode' => 'Draft Mode', |     'draft_mode' => 'Modo rascunho', | ||||||
|     'draft_mode_help' => 'Preview updates faster but is less accurate', |     'draft_mode_help' => 'As atualizações de visualização são mais rápidas, mas menos precisas', | ||||||
|     'show_product_discount' => 'Show Product Discount', |     'show_product_discount' => 'Show Product Discount', | ||||||
|     'show_product_discount_help' => 'Display a line item discount field', |     'show_product_discount_help' => 'Display a line item discount field', | ||||||
|     'tax_name3' => 'Tax Name 3', |     'tax_name3' => 'Tax Name 3', | ||||||
| @ -3902,7 +3865,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|      'notification_credit_viewed_subject' => 'Fatura :invoice foi visualizada pelo :client', |      'notification_credit_viewed_subject' => 'Fatura :invoice foi visualizada pelo :client', | ||||||
|      'notification_credit_sent' => 'The following client :client was emailed Credit :invoice for :amount.', |      'notification_credit_sent' => 'The following client :client was emailed Credit :invoice for :amount.', | ||||||
|      'notification_credit_viewed' => 'The following client :client viewed Credit :credit for :amount.', |      'notification_credit_viewed' => 'The following client :client viewed Credit :credit for :amount.', | ||||||
|      'reset_password_text' => 'Enter your email to reset your password.', |      'reset_password_text' => 'Insira seu e-mail para redefinir sua senha.', | ||||||
|      'password_reset' => 'Resetar senha', |      'password_reset' => 'Resetar senha', | ||||||
|      'account_login_text' => 'Bem vindo de volta! Ótimo em te ver.', |      'account_login_text' => 'Bem vindo de volta! Ótimo em te ver.', | ||||||
|      'request_cancellation' => 'Solicitação cancelada', |      'request_cancellation' => 'Solicitação cancelada', | ||||||
| @ -3921,7 +3884,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|      'download_files' => 'Baixar arquivos', |      'download_files' => 'Baixar arquivos', | ||||||
|      'download_timeframe' => 'Use this link to download your files, the link will expire in 1 hour.', |      'download_timeframe' => 'Use this link to download your files, the link will expire in 1 hour.', | ||||||
|      'new_signup' => 'New Signup', |      'new_signup' => 'New Signup', | ||||||
|      'new_signup_text' => 'A new account has been created by :user - :email - from IP address: :ip', |      'new_signup_text' => 'Uma nova conta foi criada por :user - :email - do endereço IP: :ip', | ||||||
|      'notification_payment_paid_subject' => 'Payment was made by :client', |      'notification_payment_paid_subject' => 'Payment was made by :client', | ||||||
|      'notification_partial_payment_paid_subject' => 'Partial payment was made by :client', |      'notification_partial_payment_paid_subject' => 'Partial payment was made by :client', | ||||||
|      'notification_payment_paid' => 'A payment of :amount was made by client :client towards :invoice', |      'notification_payment_paid' => 'A payment of :amount was made by client :client towards :invoice', | ||||||
| @ -3975,14 +3938,14 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|      'per_page' => 'Per page', |      'per_page' => 'Per page', | ||||||
|      'of' => 'Of', |      'of' => 'Of', | ||||||
|      'view_credit' => 'View Credit', |      'view_credit' => 'View Credit', | ||||||
|      'to_view_entity_password' => 'To view the :entity you need to enter password.', |      'to_view_entity_password' => 'Para visualizar o :entity você precisa digitar a senha.', | ||||||
|      'showing_x_of' => 'Showing :first to :last out of :total results', |      'showing_x_of' => 'Mostrando :primeiro ao :último de :total de resultados', | ||||||
|      'no_results' => 'No results found.', |      'no_results' => 'No results found.', | ||||||
|      'payment_failed_subject' => 'Payment failed for Client :client', |      'payment_failed_subject' => 'Payment failed for Client :client', | ||||||
|      'payment_failed_body' => 'A payment made by client :client failed with message :message', |      'payment_failed_body' => 'A payment made by client :client failed with message :message', | ||||||
|      'register' => 'Register', |      'register' => 'Register', | ||||||
|      'register_label' => 'Create your account in seconds', |      'register_label' => 'Create your account in seconds', | ||||||
|      'password_confirmation' => 'Confirm your password', |      'password_confirmation' => 'Confirme sua senha', | ||||||
|      'verification' => 'Verification', |      'verification' => 'Verification', | ||||||
|      'complete_your_bank_account_verification' => 'Before using a bank account it must be verified.', |      'complete_your_bank_account_verification' => 'Before using a bank account it must be verified.', | ||||||
|      'checkout_com' => 'Checkout.com', |      'checkout_com' => 'Checkout.com', | ||||||
| @ -3992,7 +3955,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|      'year_invalid' => 'Provided year is not valid.', |      'year_invalid' => 'Provided year is not valid.', | ||||||
|      'https_required' => 'HTTPS is required, form will fail', |      'https_required' => 'HTTPS is required, form will fail', | ||||||
|      'if_you_need_help' => 'If you need help you can post to our', |      'if_you_need_help' => 'If you need help you can post to our', | ||||||
|      'update_password_on_confirm' => 'After updating password, your account will be confirmed.', |      'update_password_on_confirm' => 'Depois de atualizar a senha, sua conta será confirmada.', | ||||||
|      'bank_account_not_linked' => 'To pay with a bank account, first you have to add it as payment method.', |      'bank_account_not_linked' => 'To pay with a bank account, first you have to add it as payment method.', | ||||||
|      'application_settings_label' => 'Let\'s store basic information about your Invoice Ninja!', |      'application_settings_label' => 'Let\'s store basic information about your Invoice Ninja!', | ||||||
|      'recommended_in_production' => 'Highly recommended in production', |      'recommended_in_production' => 'Highly recommended in production', | ||||||
| @ -4037,7 +4000,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|      'by_clicking_next_you_accept_terms' => 'By clicking "Next step" you accept terms.', |      'by_clicking_next_you_accept_terms' => 'By clicking "Next step" you accept terms.', | ||||||
|      'not_specified' => 'Not specified', |      'not_specified' => 'Not specified', | ||||||
|      'before_proceeding_with_payment_warning' => 'Before proceeding with payment, you have to fill following fields', |      'before_proceeding_with_payment_warning' => 'Before proceeding with payment, you have to fill following fields', | ||||||
|      'after_completing_go_back_to_previous_page' => 'After completing, go back to previous page.', |      'after_completing_go_back_to_previous_page' => 'Após o preenchimento, volte para a página anterior.', | ||||||
|      'pay' => 'Pay', |      'pay' => 'Pay', | ||||||
|      'instructions' => 'Instructions', |      'instructions' => 'Instructions', | ||||||
|      'notification_invoice_reminder1_sent_subject' => 'Reminder 1 for Invoice :invoice was sent to :client', |      'notification_invoice_reminder1_sent_subject' => 'Reminder 1 for Invoice :invoice was sent to :client', | ||||||
| @ -4120,7 +4083,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|      'list_long_press' => 'List Long Press', |      'list_long_press' => 'List Long Press', | ||||||
|      'show_actions' => 'Show Actions', |      'show_actions' => 'Show Actions', | ||||||
|      'start_multiselect' => 'Start Multiselect', |      'start_multiselect' => 'Start Multiselect', | ||||||
|      'email_sent_to_confirm_email' => 'An email has been sent to confirm the email address', |      'email_sent_to_confirm_email' => 'Um e-mail foi enviado para confirmar o endereço de e-mail', | ||||||
|      'converted_paid_to_date' => 'Converted Paid to Date', |      'converted_paid_to_date' => 'Converted Paid to Date', | ||||||
|      'converted_credit_balance' => 'Converted Credit Balance', |      'converted_credit_balance' => 'Converted Credit Balance', | ||||||
|      'converted_total' => 'Converted Total', |      'converted_total' => 'Converted Total', | ||||||
| @ -4135,7 +4098,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|      'quote_approval_confirmation_label' => 'Are you sure you want to approve this quote?', |      'quote_approval_confirmation_label' => 'Are you sure you want to approve this quote?', | ||||||
|      'migration_select_company_label' => 'Select companies to migrate', |      'migration_select_company_label' => 'Select companies to migrate', | ||||||
|      'force_migration' => 'Force migration', |      'force_migration' => 'Force migration', | ||||||
|      'require_password_with_social_login' => 'Require Password with Social Login', |      'require_password_with_social_login' => 'Exigir senha com login social', | ||||||
|      'stay_logged_in' => 'Stay Logged In', |      'stay_logged_in' => 'Stay Logged In', | ||||||
|      'session_about_to_expire' => 'Warning: Your session is about to expire', |      'session_about_to_expire' => 'Warning: Your session is about to expire', | ||||||
|      'count_hours' => ':count Hours', |      'count_hours' => ':count Hours', | ||||||
| @ -4144,7 +4107,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|      'web_session_timeout' => 'Web Session Timeout', |      'web_session_timeout' => 'Web Session Timeout', | ||||||
|      'security_settings' => 'Security Settings', |      'security_settings' => 'Security Settings', | ||||||
|      'resend_email' => 'Resend Email', |      'resend_email' => 'Resend Email', | ||||||
|      'confirm_your_email_address' => 'Please confirm your email address', |      'confirm_your_email_address' => 'Por favor, confirme seu endereço de e-mail', | ||||||
|      'freshbooks' => 'FreshBooks', |      'freshbooks' => 'FreshBooks', | ||||||
|      'invoice2go' => 'Invoice2go', |      'invoice2go' => 'Invoice2go', | ||||||
|      'invoicely' => 'Invoicely', |      'invoicely' => 'Invoicely', | ||||||
| @ -4160,7 +4123,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|      'activate_company' => 'Activate Company', |      'activate_company' => 'Activate Company', | ||||||
|      'activate_company_help' => 'Enable emails, recurring invoices and notifications', |      'activate_company_help' => 'Enable emails, recurring invoices and notifications', | ||||||
|      'an_error_occurred_try_again' => 'An error occurred, please try again', |      'an_error_occurred_try_again' => 'An error occurred, please try again', | ||||||
|      'please_first_set_a_password' => 'Please first set a password', |      'please_first_set_a_password' => 'Primeiro defina uma senha', | ||||||
|      'changing_phone_disables_two_factor' => 'Warning: Changing your phone number will disable 2FA', |      'changing_phone_disables_two_factor' => 'Warning: Changing your phone number will disable 2FA', | ||||||
|      'help_translate' => 'Help Translate', |      'help_translate' => 'Help Translate', | ||||||
|      'please_select_a_country' => 'Please select a country', |      'please_select_a_country' => 'Please select a country', | ||||||
| @ -4195,7 +4158,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|      'update_fail_help' => 'Alterações no código podem estar bloqueando a atualização, você pode executar esse comando para descartar as mudanças:', |      'update_fail_help' => 'Alterações no código podem estar bloqueando a atualização, você pode executar esse comando para descartar as mudanças:', | ||||||
|      'client_id_number' => 'Client ID Number', |      'client_id_number' => 'Client ID Number', | ||||||
|      'count_minutes' => ':count Minutes', |      'count_minutes' => ':count Minutes', | ||||||
|      'password_timeout' => 'Password Timeout', |      'password_timeout' => 'Tempo limite da senha', | ||||||
|      'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter', |      'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter', | ||||||
|     'activity_80' => ':user created subscription :subscription', |     'activity_80' => ':user created subscription :subscription', | ||||||
|     'activity_81' => ':user updated subscription :subscription', |     'activity_81' => ':user updated subscription :subscription', | ||||||
| @ -4221,18 +4184,17 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'activity_102' => ':user archived recurring invoice :recurring_invoice', |     'activity_102' => ':user archived recurring invoice :recurring_invoice', | ||||||
|     'activity_103' => ':user deleted recurring invoice :recurring_invoice', |     'activity_103' => ':user deleted recurring invoice :recurring_invoice', | ||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'Novo login detectado para sua conta.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Detalhes do contato', |     'contact_details' => 'Detalhes do contato', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Login sem senha da conta', | ||||||
|     'user_duplicate_error' => 'Cannot add the same user to the same company', |     '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', |     'user_cross_linked_error' => 'User exists but cannot be crossed linked to multiple accounts', | ||||||
|     'ach_verification_notification_label' => 'ACH verification', |     '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' => '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.', | ||||||
|     'login_link_requested_label' => 'Login link requested', |     'login_link_requested_label' => 'Link de login solicitado', | ||||||
|     'login_link_requested' => 'There was a request to login using link. If you did not request this, it\'s safe to ignore it.', |     'login_link_requested' => 'Houve uma solicitação para fazer login usando o link. Se você não solicitou isso, é seguro ignorá-lo.', | ||||||
|     'invoices_backup_subject' => 'Your invoices are ready for download', |     'invoices_backup_subject' => 'Your invoices are ready for download', | ||||||
|     'migration_failed_label' => 'Falha na migração', |     'migration_failed_label' => 'Falha na migração', | ||||||
|     'migration_failed' => 'Looks like something went wrong with the migration for the following company:', |     'migration_failed' => 'Looks like something went wrong with the migration for the following company:', | ||||||
| @ -4248,8 +4210,8 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'already_default_payment_method' => 'This is your preferred way of paying.', |     'already_default_payment_method' => 'This is your preferred way of paying.', | ||||||
|     'auto_bill_disabled' => 'Auto Bill Disabled', |     'auto_bill_disabled' => 'Auto Bill Disabled', | ||||||
|     'select_payment_method' => 'Select a payment method:', |     'select_payment_method' => 'Select a payment method:', | ||||||
|     'login_without_password' => 'Log in without password', |     'login_without_password' => 'Entrar sem senha', | ||||||
|     'email_sent' => 'Notificar-me por email quando a fatura for <b>enviada</b>', |     'email_sent' => 'Notificar-me por e-mail quando a fatura for <b>enviada</b>', | ||||||
|     'one_time_purchases' => 'One time purchases', |     'one_time_purchases' => 'One time purchases', | ||||||
|     'recurring_purchases' => 'Recurring purchases', |     'recurring_purchases' => 'Recurring purchases', | ||||||
|     'you_might_be_interested_in_following' => 'You might be interested in the following', |     'you_might_be_interested_in_following' => 'You might be interested in the following', | ||||||
| @ -4259,7 +4221,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'user_created_user' => ':user created :created_user at :time', |     'user_created_user' => ':user created :created_user at :time', | ||||||
|     'company_deleted' => 'Company deleted', |     'company_deleted' => 'Company deleted', | ||||||
|     'company_deleted_body' => 'Company [ :company ] was deleted by :user', |     'company_deleted_body' => 'Company [ :company ] was deleted by :user', | ||||||
|     'back_to' => 'Back to :url', |     'back_to' => 'Voltar para :url', | ||||||
|     'stripe_connect_migration_title' => 'Connect your Stripe Account', |     'stripe_connect_migration_title' => 'Connect your Stripe Account', | ||||||
|     'stripe_connect_migration_desc' => 'Invoice Ninja v5 uses Stripe Connect to link your Stripe account to Invoice Ninja. This provides an additional layer of security for your account. Now that you data has migrated, you will need to Authorize Stripe to accept payments in v5.<br><br>To do this, navigate to Settings > Online Payments > Configure Gateways. Click on Stripe Connect and then under Settings click Setup Gateway. This will take you to Stripe to authorize Invoice Ninja and on your return your account will be successfully linked!', |     'stripe_connect_migration_desc' => 'Invoice Ninja v5 uses Stripe Connect to link your Stripe account to Invoice Ninja. This provides an additional layer of security for your account. Now that you data has migrated, you will need to Authorize Stripe to accept payments in v5.<br><br>To do this, navigate to Settings > Online Payments > Configure Gateways. Click on Stripe Connect and then under Settings click Setup Gateway. This will take you to Stripe to authorize Invoice Ninja and on your return your account will be successfully linked!', | ||||||
|     'email_quota_exceeded_subject' => 'Account email quota exceeded.', |     'email_quota_exceeded_subject' => 'Account email quota exceeded.', | ||||||
| @ -4292,6 +4254,9 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4330,7 +4295,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'hide_preview' => 'Hide Preview', |     'hide_preview' => 'Hide Preview', | ||||||
|     'edit_record' => 'Edit Record', |     'edit_record' => 'Edit Record', | ||||||
|     'credit_is_more_than_invoice' => 'The credit amount can not be more than the invoice amount', |     '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', |     'please_set_a_password' => 'Defina uma senha de conta', | ||||||
|     'recommend_desktop' => 'We recommend using the desktop app for the best performance', |     'recommend_desktop' => 'We recommend using the desktop app for the best performance', | ||||||
|     'recommend_mobile' => 'We recommend using the mobile app for the best performance', |     'recommend_mobile' => 'We recommend using the mobile app for the best performance', | ||||||
|     'disconnected_gateway' => 'Successfully disconnected gateway', |     'disconnected_gateway' => 'Successfully disconnected gateway', | ||||||
| @ -4345,7 +4310,6 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4402,10 +4366,10 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'free_trial_ends_in_days' => 'O período de testes do plano "Pro", termina em :count dias, clique para atualizar.', |     'free_trial_ends_in_days' => 'O período de testes do plano "Pro", termina em :count dias, clique para atualizar.', | ||||||
|     'free_trial_ends_today' => 'Today is the last day of the Pro plan trial, click to upgrade.', |     'free_trial_ends_today' => 'Today is the last day of the Pro plan trial, click to upgrade.', | ||||||
|     'change_email' => 'Change Email', |     'change_email' => 'Change Email', | ||||||
|     'client_portal_domain_hint' => 'Optionally configure a separate client portal domain', |     'client_portal_domain_hint' => 'Opcionalmente, configure um domínio separado do portal do cliente', | ||||||
|     'tasks_shown_in_portal' => 'Tasks Shown in Portal', |     'tasks_shown_in_portal' => 'Tasks Shown in Portal', | ||||||
|     'uninvoiced' => 'Uninvoiced', |     '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', |     'subdomain_guide' => 'O subdomínio é usado no portal do cliente para personalizar links para combinar com sua marca. ou seja, https://your-brand.invoicing.co', | ||||||
|     'send_time' => 'Send Time', |     'send_time' => 'Send Time', | ||||||
|     'import_settings' => 'Import Settings', |     'import_settings' => 'Import Settings', | ||||||
|     'json_file_missing' => 'Please provide the JSON file', |     'json_file_missing' => 'Please provide the JSON file', | ||||||
| @ -4417,8 +4381,8 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'has_taxes' => 'Has Taxes', |     'has_taxes' => 'Has Taxes', | ||||||
|     'import_customers' => 'Import Customers', |     'import_customers' => 'Import Customers', | ||||||
|     'imported_customers' => 'Successfully started importing customers', |     'imported_customers' => 'Successfully started importing customers', | ||||||
|     'login_success' => 'Successful Login', |     'login_success' => 'Acesso realizado com sucesso', | ||||||
|     'login_failure' => 'Failed Login', |     'login_failure' => 'Falha no login', | ||||||
|     'exported_data' => 'Once the file is ready you"ll receive an email with a download link', |     'exported_data' => 'Once the file is ready you"ll receive an email with a download link', | ||||||
|     'include_deleted_clients' => 'Include Deleted Clients', |     'include_deleted_clients' => 'Include Deleted Clients', | ||||||
|     'include_deleted_clients_help' => 'Load records belonging to deleted clients', |     'include_deleted_clients_help' => 'Load records belonging to deleted clients', | ||||||
| @ -4508,7 +4472,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'activity_123' => ':user deleted recurring expense :recurring_expense', |     'activity_123' => ':user deleted recurring expense :recurring_expense', | ||||||
|     'activity_124' => ':user restored recurring expense :recurring_expense', |     'activity_124' => ':user restored recurring expense :recurring_expense', | ||||||
|     'fpx' => "FPX", |     'fpx' => "FPX", | ||||||
|     'to_view_entity_set_password' => 'To view the :entity you need to set password.', |     'to_view_entity_set_password' => 'Para visualizar o :entity, você precisa definir a senha.', | ||||||
|     'unsubscribe' => 'Unsubscribe', |     'unsubscribe' => 'Unsubscribe', | ||||||
|     'unsubscribed' => 'Unsubscribed', |     'unsubscribed' => 'Unsubscribed', | ||||||
|     'unsubscribed_text' => 'You have been removed from notifications for this document', |     'unsubscribed_text' => 'You have been removed from notifications for this document', | ||||||
| @ -4536,7 +4500,6 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Ao cliente :client foi enviada por email a fatura :invoice no valor de :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4598,11 +4561,11 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'stop_on_unpaid_help' => 'Stop creating recurring invoices if the last invoice is unpaid.', |     'stop_on_unpaid_help' => 'Stop creating recurring invoices if the last invoice is unpaid.', | ||||||
|     'use_quote_terms' => 'Use Quote Terms', |     'use_quote_terms' => 'Use Quote Terms', | ||||||
|     'use_quote_terms_help' => 'When converting a quote to an invoice', |     'use_quote_terms_help' => 'When converting a quote to an invoice', | ||||||
|     'add_country' => 'Add Country', |     'add_country' => 'Adicionar País', | ||||||
|     'enable_tooltips' => 'Enable Tooltips', |     'enable_tooltips' => 'Enable Tooltips', | ||||||
|     'enable_tooltips_help' => 'Show tooltips when hovering the mouse', |     'enable_tooltips_help' => 'Show tooltips when hovering the mouse', | ||||||
|     'multiple_client_error' => 'Error: records belong to more than one client', |     'multiple_client_error' => 'Error: records belong to more than one client', | ||||||
|     'login_label' => 'Login to an existing account', |     'login_label' => 'Faça login em uma conta existente', | ||||||
|     'purchase_order' => 'Purchase Order', |     'purchase_order' => 'Purchase Order', | ||||||
|     'purchase_order_number' => 'Purchase Order Number', |     'purchase_order_number' => 'Purchase Order Number', | ||||||
|     'purchase_order_number_short' => 'Purchase Order #', |     'purchase_order_number_short' => 'Purchase Order #', | ||||||
| @ -4654,7 +4617,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'qr_iban' => 'QR IBAN', |     'qr_iban' => 'QR IBAN', | ||||||
|     'besr_id' => 'BESR ID', |     'besr_id' => 'BESR ID', | ||||||
|     'clone_to_purchase_order' => 'Clone to PO', |     'clone_to_purchase_order' => 'Clone to PO', | ||||||
|     'vendor_email_not_set' => 'Vendor does not have an email address set', |     'vendor_email_not_set' => 'O Fornecedor não tem um endereço de e-mail definido', | ||||||
|     'bulk_send_email' => 'Send Email', |     'bulk_send_email' => 'Send Email', | ||||||
|     'marked_purchase_order_as_sent' => 'Successfully marked purchase order as sent', |     'marked_purchase_order_as_sent' => 'Successfully marked purchase order as sent', | ||||||
|     'marked_purchase_orders_as_sent' => 'Successfully marked purchase orders as sent', |     'marked_purchase_orders_as_sent' => 'Successfully marked purchase orders as sent', | ||||||
| @ -4675,7 +4638,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'disconnect_microsoft' => 'Disconnect Microsoft', |     'disconnect_microsoft' => 'Disconnect Microsoft', | ||||||
|     'connected_microsoft' => 'Successfully connected Microsoft', |     'connected_microsoft' => 'Successfully connected Microsoft', | ||||||
|     'disconnected_microsoft' => 'Successfully disconnected Microsoft', |     'disconnected_microsoft' => 'Successfully disconnected Microsoft', | ||||||
|     'microsoft_sign_in' => 'Login with Microsoft', |     'microsoft_sign_in' => 'Acessar com a Microsoft', | ||||||
|     'microsoft_sign_up' => 'Sign up with Microsoft', |     'microsoft_sign_up' => 'Sign up with Microsoft', | ||||||
|     'emailed_purchase_order' => 'Successfully queued purchase order to be sent', |     'emailed_purchase_order' => 'Successfully queued purchase order to be sent', | ||||||
|     'emailed_purchase_orders' => 'Successfully queued purchase orders to be sent', |     'emailed_purchase_orders' => 'Successfully queued purchase orders to be sent', | ||||||
| @ -4695,7 +4658,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'restored_purchase_order' => 'Successfully restored purchase order', |     'restored_purchase_order' => 'Successfully restored purchase order', | ||||||
|     'search_purchase_order' => 'Search Purchase Order', |     'search_purchase_order' => 'Search Purchase Order', | ||||||
|     'search_purchase_orders' => 'Search Purchase Orders', |     'search_purchase_orders' => 'Search Purchase Orders', | ||||||
|     'login_url' => 'Login URL', |     'login_url' => 'URL de login', | ||||||
|     'enable_applying_payments' => 'Enable Applying Payments', |     'enable_applying_payments' => 'Enable Applying Payments', | ||||||
|     'enable_applying_payments_help' => 'Support separately creating and applying payments', |     'enable_applying_payments_help' => 'Support separately creating and applying payments', | ||||||
|     'stock_quantity' => 'Stock Quantity', |     'stock_quantity' => 'Stock Quantity', | ||||||
| @ -4729,9 +4692,9 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'field' => 'Field', |     'field' => 'Field', | ||||||
|     'period' => 'Period', |     'period' => 'Period', | ||||||
|     'fields_per_row' => 'Fields Per Row', |     'fields_per_row' => 'Fields Per Row', | ||||||
|     'total_active_invoices' => 'Active Invoices', |     'total_active_invoices' => 'Faturas Ativas', | ||||||
|     'total_outstanding_invoices' => 'Outstanding Invoices', |     'total_outstanding_invoices' => 'Faturas Pendentes', | ||||||
|     'total_completed_payments' => 'Completed Payments', |     'total_completed_payments' => 'Pagamentos Concluídos', | ||||||
|     'total_refunded_payments' => 'Refunded Payments', |     'total_refunded_payments' => 'Refunded Payments', | ||||||
|     'total_active_quotes' => 'Active Quotes', |     'total_active_quotes' => 'Active Quotes', | ||||||
|     'total_approved_quotes' => 'Approved Quotes', |     'total_approved_quotes' => 'Approved Quotes', | ||||||
| @ -4832,7 +4795,7 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup', |     'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup', | ||||||
|     'enable_applying_payments_later' => 'Enable Applying Payments Later', |     'enable_applying_payments_later' => 'Enable Applying Payments Later', | ||||||
|     'line_item_tax_rates' => 'Line Item Tax Rates', |     'line_item_tax_rates' => 'Line Item Tax Rates', | ||||||
|     'show_tasks_in_client_portal' => 'Show Tasks in Client Portal', |     'show_tasks_in_client_portal' => 'Mostrar Tarefas no Portal do Cliente', | ||||||
|     'notification_quote_expired_subject' => 'Quote :invoice has expired for :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.', |     'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.', | ||||||
|     'auto_sync' => 'Auto Sync', |     'auto_sync' => 'Auto Sync', | ||||||
| @ -4846,7 +4809,6 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4896,12 +4858,12 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'delete_tax_rate' => 'Delete Tax Rate', |     'delete_tax_rate' => 'Delete Tax Rate', | ||||||
|     'restore_tax_rate' => 'Restore Tax Rate', |     'restore_tax_rate' => 'Restore Tax Rate', | ||||||
|     'company_backup_file' => 'Select company backup file', |     'company_backup_file' => 'Select company backup file', | ||||||
|     'company_backup_file_help' => 'Please upload the .zip file used to create this backup.', |     'company_backup_file_help' => 'Carregue o arquivo .zip usado para criar este backup.', | ||||||
|     'backup_restore' => 'Backup | Restore', |     'backup_restore' => 'Backup | Restaurar', | ||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5005,6 +4967,48 @@ Quando tiver as quantias, volte a esta página de formas de pagamento e clique " | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Terminal de Pagamento', |     'payment_gateway' => 'Terminal de Pagamento', | ||||||
|     'gateway_id' => 'Terminal', |     'gateway_id' => 'Terminal', | ||||||
|     'email_notifications' => 'Notificações por E-mail', |     'email_notifications' => 'Notificações por E-mail', | ||||||
|     'email_sent' => 'Notificar-me por e-mail quando a nota de pagamento for <b>enviada</b>', |  | ||||||
|     'email_viewed' => 'Notificar-me por e-mail quando a nota de pagamento for <b>visualizada</b>', |     'email_viewed' => 'Notificar-me por e-mail quando a nota de pagamento for <b>visualizada</b>', | ||||||
|     'email_paid' => 'Notificar-me por e-mail quando a nota de pagamento for <b>paga</b>', |     'email_paid' => 'Notificar-me por e-mail quando a nota de pagamento for <b>paga</b>', | ||||||
|     'site_updates' => 'Atualizações', |     'site_updates' => 'Atualizações', | ||||||
| @ -904,8 +903,6 @@ Não consegue encontrar a nota de pagamento? Precisa de ajuda? Ficamos felizes e | |||||||
|     'expense' => 'Despesa', |     'expense' => 'Despesa', | ||||||
|     'expenses' => 'Despesas', |     'expenses' => 'Despesas', | ||||||
|     'new_expense' => 'Introduzir Despesa', |     'new_expense' => 'Introduzir Despesa', | ||||||
|     'enter_expense' => 'Introduzir Despesa', |  | ||||||
|     'vendors' => 'Fornecedor', |  | ||||||
|     'new_vendor' => 'Novo Fornecedor', |     'new_vendor' => 'Novo Fornecedor', | ||||||
|     'payment_terms_net' => 'Líquido', |     'payment_terms_net' => 'Líquido', | ||||||
|     'vendor' => 'Fornecedor', |     'vendor' => 'Fornecedor', | ||||||
| @ -1185,7 +1182,7 @@ Não consegue encontrar a nota de pagamento? Precisa de ajuda? Ficamos felizes e | |||||||
|     'plan_started' => 'Iniciou o Plano', |     'plan_started' => 'Iniciou o Plano', | ||||||
|     'plan_expires' => 'Plano Expira', |     'plan_expires' => 'Plano Expira', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'Marca Branca', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Subscrição de um ano no plano Invoice Ninja Profissional.', |     'pro_plan_year_description' => 'Subscrição de um ano no plano Invoice Ninja Profissional.', | ||||||
|     'pro_plan_month_description' => 'Um mês de subscrição no plano Invoice Ninja Profissional.', |     'pro_plan_month_description' => 'Um mês de subscrição no plano Invoice Ninja Profissional.', | ||||||
| @ -1197,7 +1194,6 @@ Não consegue encontrar a nota de pagamento? Precisa de ajuda? Ficamos felizes e | |||||||
|     'plan_pending_monthly' => 'Vamos alterar para mensal em :date', |     'plan_pending_monthly' => 'Vamos alterar para mensal em :date', | ||||||
|     'plan_refunded' => 'Foi realizado um reembolso.', |     'plan_refunded' => 'Foi realizado um reembolso.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Pré-visualização', |  | ||||||
|     'page_size' => 'Tamanho da Página', |     'page_size' => 'Tamanho da Página', | ||||||
|     'live_preview_disabled' => 'Pré-visualização em tempo real desactivada para suportar o tipo de letra selecionado', |     'live_preview_disabled' => 'Pré-visualização em tempo real desactivada para suportar o tipo de letra selecionado', | ||||||
|     'invoice_number_padding' => 'Distância', |     'invoice_number_padding' => 'Distância', | ||||||
| @ -1454,40 +1450,6 @@ Quando tiver os valores dos depósitos, volte a esta página e conclua a verific | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Contabilidade & Legislação', |  | ||||||
|     'industry_Advertising' => 'Publicidade', |  | ||||||
|     'industry_Aerospace' => 'Aeronáutica', |  | ||||||
|     'industry_Agriculture' => 'Agricultura', |  | ||||||
|     'industry_Automotive' => 'Automóveis', |  | ||||||
|     'industry_Banking & Finance' => 'Banca & Finanças', |  | ||||||
|     'industry_Biotechnology' => 'Biotecnologia', |  | ||||||
|     'industry_Broadcasting' => 'Radiodifusão', |  | ||||||
|     'industry_Business Services' => 'Serviços Empresariais', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Produtos Químicos', |  | ||||||
|     'industry_Communications' => 'Comunicações', |  | ||||||
|     'industry_Computers & Hightech' => 'Computadores e Tecnologia', |  | ||||||
|     'industry_Defense' => 'Defesa', |  | ||||||
|     'industry_Energy' => 'Energia', |  | ||||||
|     'industry_Entertainment' => 'Entretenimento', |  | ||||||
|     'industry_Government' => 'Governo', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Saúde & Ciências da Vida', |  | ||||||
|     'industry_Insurance' => 'Seguros', |  | ||||||
|     'industry_Manufacturing' => 'Indústria', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Sem Fins Lucrativos & Educação', |  | ||||||
|     'industry_Pharmaceuticals' => 'Farmacêutica', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Serviços Profissionais & Consultoria', |  | ||||||
|     'industry_Real Estate' => 'Imobiliária', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurantes & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Retalho & Armazenistas', |  | ||||||
|     'industry_Sports' => 'Desporto', |  | ||||||
|     'industry_Transportation' => 'Transporte', |  | ||||||
|     'industry_Travel & Luxury' => 'Viagens & Luxo', |  | ||||||
|     'industry_Other' => 'Outros', |  | ||||||
|     'industry_Photography' => 'Fotografia', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afeganistão', |     'country_Afghanistan' => 'Afeganistão', | ||||||
|     'country_Albania' => 'Albânia', |     'country_Albania' => 'Albânia', | ||||||
| @ -2246,7 +2208,7 @@ Quando tiver os valores dos depósitos, volte a esta página e conclua a verific | |||||||
|     'invalid_file' => 'Tipo de ficheiro inválido', |     'invalid_file' => 'Tipo de ficheiro inválido', | ||||||
|     'add_documents_to_invoice' => 'Adicionar documentos à nota de pagamento', |     'add_documents_to_invoice' => 'Adicionar documentos à nota de pagamento', | ||||||
|     'mark_expense_paid' => 'Marcar Pago', |     'mark_expense_paid' => 'Marcar Pago', | ||||||
|     'white_label_license_error' => 'Falhou a validar a licença, verifique storage/logs/laravel-error.log para mais detalhes.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Preço do Plano', |     'plan_price' => 'Preço do Plano', | ||||||
|     'wrong_confirmation' => 'Código de confirmação incorreto', |     'wrong_confirmation' => 'Código de confirmação incorreto', | ||||||
|     'oauth_taken' => 'Esta conta já se encontra registada', |     'oauth_taken' => 'Esta conta já se encontra registada', | ||||||
| @ -2445,6 +2407,7 @@ Quando tiver os valores dos depósitos, volte a esta página e conclua a verific | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'Esperamos que esteja a gostar da aplicação. <br/>Se eventualmente considerar :link agradecíamos muito!', |     'review_app_help' => 'Esperamos que esteja a gostar da aplicação. <br/>Se eventualmente considerar :link agradecíamos muito!', | ||||||
|     'writing_a_review' => 'escrever uma avaliação', |     'writing_a_review' => 'escrever uma avaliação', | ||||||
| @ -4225,7 +4188,6 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem | |||||||
|     'activity_104' => ':user restaurou uma nota de pagamento recorrente :recurring_invoice', |     'activity_104' => ':user restaurou uma nota de pagamento recorrente :recurring_invoice', | ||||||
|     'new_login_detected' => 'Novo início de sessão detetado na sua conta', |     'new_login_detected' => 'Novo início de sessão detetado na sua conta', | ||||||
|     'new_login_description' => 'Você entrou recentemente na sua conta Invoice Ninja de uma nova localização ou dispositivo:<br><br><b>IP:</b> :ip<br><b>Hora:</b> :time<br><b>E-mail:</b> :email', |     'new_login_description' => 'Você entrou recentemente na sua conta Invoice Ninja de uma nova localização ou dispositivo:<br><br><b>IP:</b> :ip<br><b>Hora:</b> :time<br><b>E-mail:</b> :email', | ||||||
|     'download_backup_subject' => 'A cópia de segurança da sua empresa está pronta para transferir', |  | ||||||
|     'contact_details' => 'Detalhes Contacto', |     'contact_details' => 'Detalhes Contacto', | ||||||
|     'download_backup_subject' => 'A cópia de segurança da sua empresa está pronta para transferir', |     'download_backup_subject' => 'A cópia de segurança da sua empresa está pronta para transferir', | ||||||
|     'account_passwordless_login' => 'Início de Sessão sem palavra-passe', |     'account_passwordless_login' => 'Início de Sessão sem palavra-passe', | ||||||
| @ -4295,6 +4257,9 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.', | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4348,7 +4313,6 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.', | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4539,7 +4503,6 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.', | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'O cliente :client foi notificado por e-mail referente à nota de pagamento :invoice de :amount.', |  | ||||||
|     'total_columns' => 'Campos Totais', |     'total_columns' => 'Campos Totais', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4849,7 +4812,6 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.', | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4904,7 +4866,7 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.', | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5008,6 +4970,48 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.', | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Procesator Plata', |     'payment_gateway' => 'Procesator Plata', | ||||||
|     'gateway_id' => 'Procesator', |     'gateway_id' => 'Procesator', | ||||||
|     'email_notifications' => 'Notificari email', |     'email_notifications' => 'Notificari email', | ||||||
|     'email_sent' => 'Trimite-mi un email cind o factura este <b>trimisa</b>', |  | ||||||
|     'email_viewed' => 'Trimite-mi un email cind o factura este <b>vizualizata</b>', |     'email_viewed' => 'Trimite-mi un email cind o factura este <b>vizualizata</b>', | ||||||
|     'email_paid' => 'Trimite-mi un email cind o factura este <b>platita</b>', |     'email_paid' => 'Trimite-mi un email cind o factura este <b>platita</b>', | ||||||
|     'site_updates' => 'Actualizari site', |     'site_updates' => 'Actualizari site', | ||||||
| @ -910,8 +909,6 @@ Atentie: Folosește Legacy API Key, nu Token API', | |||||||
|     'expense' => 'Cheltuială', |     'expense' => 'Cheltuială', | ||||||
|     'expenses' => 'Cheltuieli', |     'expenses' => 'Cheltuieli', | ||||||
|     'new_expense' => 'Introdu Cheltuială', |     'new_expense' => 'Introdu Cheltuială', | ||||||
|     'enter_expense' => 'Introdu Cheltuială', |  | ||||||
|     'vendors' => 'Furnizori', |  | ||||||
|     'new_vendor' => 'Furnizor Nou', |     'new_vendor' => 'Furnizor Nou', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Furnizor', |     'vendor' => 'Furnizor', | ||||||
| @ -1194,7 +1191,7 @@ Atentie: Folosește Legacy API Key, nu Token API', | |||||||
|     'plan_started' => 'Planul a început', |     'plan_started' => 'Planul a început', | ||||||
|     'plan_expires' => 'Planul expiră', |     'plan_expires' => 'Planul expiră', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'Etichetă albă', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Abonament pe un an pentru Pachetul PRO Invoice Ninja. ', |     'pro_plan_year_description' => 'Abonament pe un an pentru Pachetul PRO Invoice Ninja. ', | ||||||
|     'pro_plan_month_description' => 'Abonament pe o lună pentru Pachetul PRO Invoice Ninja. ', |     'pro_plan_month_description' => 'Abonament pe o lună pentru Pachetul PRO Invoice Ninja. ', | ||||||
| @ -1206,7 +1203,6 @@ Atentie: Folosește Legacy API Key, nu Token API', | |||||||
|     'plan_pending_monthly' => 'Se va trece la lunar la :date', |     'plan_pending_monthly' => 'Se va trece la lunar la :date', | ||||||
|     'plan_refunded' => 'A fost emisă o rambursare', |     'plan_refunded' => 'A fost emisă o rambursare', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Previzualizare live', |  | ||||||
|     'page_size' => 'Dimensiune Pagină', |     'page_size' => 'Dimensiune Pagină', | ||||||
|     'live_preview_disabled' => 'Previzualizarea live a fost dezactivată pentru a putea folosi fontul selectat', |     'live_preview_disabled' => 'Previzualizarea live a fost dezactivată pentru a putea folosi fontul selectat', | ||||||
|     'invoice_number_padding' => 'Umplere', |     'invoice_number_padding' => 'Umplere', | ||||||
| @ -1463,40 +1459,6 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Contabilitate & Juridic', |  | ||||||
|     'industry_Advertising' => 'Publicitate', |  | ||||||
|     'industry_Aerospace' => 'Aerospațial', |  | ||||||
|     'industry_Agriculture' => 'Agricultură', |  | ||||||
|     'industry_Automotive' => 'Automobil', |  | ||||||
|     'industry_Banking & Finance' => 'Finanțe și Bănci', |  | ||||||
|     'industry_Biotechnology' => 'Biotehnologie', |  | ||||||
|     'industry_Broadcasting' => 'Difuzare', |  | ||||||
|     'industry_Business Services' => 'Servicii de business', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Mărfuri și produse chimice', |  | ||||||
|     'industry_Communications' => 'Comunicații', |  | ||||||
|     'industry_Computers & Hightech' => 'Calculatoare și înaltă tehnologie', |  | ||||||
|     'industry_Defense' => 'Apărare', |  | ||||||
|     'industry_Energy' => 'Energie', |  | ||||||
|     'industry_Entertainment' => 'Divertisment', |  | ||||||
|     'industry_Government' => 'Sistem public', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Sănătate', |  | ||||||
|     'industry_Insurance' => 'Asigurări', |  | ||||||
|     'industry_Manufacturing' => 'Producție', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Non-Profit', |  | ||||||
|     'industry_Pharmaceuticals' => 'Farmaceutic', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Servicii profesionale și de consultanță', |  | ||||||
|     'industry_Real Estate' => 'Imobiliare', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Comerț cu amănuntul și comerț cu ridicata', |  | ||||||
|     'industry_Sports' => 'Sport', |  | ||||||
|     'industry_Transportation' => 'Transport', |  | ||||||
|     'industry_Travel & Luxury' => 'Călătorii și lux', |  | ||||||
|     'industry_Other' => 'Altele', |  | ||||||
|     'industry_Photography' => 'Foto', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Emiratul Islamic al Afganistanului', |     'country_Afghanistan' => 'Emiratul Islamic al Afganistanului', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2254,7 +2216,7 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl | |||||||
|     'invalid_file' => 'Tip de fișier nevalid', |     'invalid_file' => 'Tip de fișier nevalid', | ||||||
|     'add_documents_to_invoice' => 'Atașați documente facturii ', |     'add_documents_to_invoice' => 'Atașați documente facturii ', | ||||||
|     'mark_expense_paid' => 'Marcați ca achitat', |     'mark_expense_paid' => 'Marcați ca achitat', | ||||||
|     'white_label_license_error' => 'Licența nu a putut fi validată. Pentru mai multe detalii, verificați storage/logs/laravel-error.log.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Preț plan', |     'plan_price' => 'Preț plan', | ||||||
|     'wrong_confirmation' => 'Cod de confirmare incorect', |     'wrong_confirmation' => 'Cod de confirmare incorect', | ||||||
|     'oauth_taken' => 'Contul a fost deja înregistrat', |     'oauth_taken' => 'Contul a fost deja înregistrat', | ||||||
| @ -2453,6 +2415,7 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl | |||||||
|     'currency_vanuatu_vatu' => 'Vatu', |     'currency_vanuatu_vatu' => 'Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Peso cubanez', |     'currency_cuban_peso' => 'Peso cubanez', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'Sperăm că vă place aplicația.<br/>Am aprecia dacă :link!', |     'review_app_help' => 'Sperăm că vă place aplicația.<br/>Am aprecia dacă :link!', | ||||||
|     'writing_a_review' => 'părerea dumneavoastră', |     'writing_a_review' => 'părerea dumneavoastră', | ||||||
| @ -4233,7 +4196,6 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl | |||||||
|     'activity_104' => ':user a restabilit factura recurentă :recurring_invoice', |     'activity_104' => ':user a restabilit factura recurentă :recurring_invoice', | ||||||
|     'new_login_detected' => 'O nouă autentificare a contului dumneavoastră', |     'new_login_detected' => 'O nouă autentificare a contului dumneavoastră', | ||||||
|     'new_login_description' => 'V-ați autentificat recent la contul dumneavoastră Invoice Ninja dintr-o nouă locație sau de pe un alt dispozitiv:<br><br><b>IP:</b> :ip<br><b>Oră:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'V-ați autentificat recent la contul dumneavoastră Invoice Ninja dintr-o nouă locație sau de pe un alt dispozitiv:<br><br><b>IP:</b> :ip<br><b>Oră:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Backup-ul pentru compania dumneavoastră poate fi descărcat', |  | ||||||
|     'contact_details' => 'Date de contact', |     'contact_details' => 'Date de contact', | ||||||
|     'download_backup_subject' => 'Backup-ul pentru compania dumneavoastră poate fi descărcat', |     'download_backup_subject' => 'Backup-ul pentru compania dumneavoastră poate fi descărcat', | ||||||
|     'account_passwordless_login' => 'Conectare fără parolă', |     'account_passwordless_login' => 'Conectare fără parolă', | ||||||
| @ -4302,6 +4264,9 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'Câștig pe acțiune', |     'eps' => 'Câștig pe acțiune', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'Este necesar să vă dați acordul pentru termeni, înainte de a începe.', |     'you_need_to_accept_the_terms_before_proceeding' => 'Este necesar să vă dați acordul pentru termeni, înainte de a începe.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4355,7 +4320,6 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl | |||||||
|     'has_tasks' => 'Are sarcini', |     'has_tasks' => 'Are sarcini', | ||||||
|     'registration' => 'Înregistrare', |     'registration' => 'Înregistrare', | ||||||
|     'unauthorized_stripe_warning' => 'Autorizați Stripe să accepte plăți online.', |     'unauthorized_stripe_warning' => 'Autorizați Stripe să accepte plăți online.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Actualizați toate înregistrările', |     'update_all_records' => 'Actualizați toate înregistrările', | ||||||
|     'set_default_company' => 'Setați compania implicită', |     'set_default_company' => 'Setați compania implicită', | ||||||
|     'updated_company' => 'Compania a fost actualizată cu succes', |     'updated_company' => 'Compania a fost actualizată cu succes', | ||||||
| @ -4546,7 +4510,6 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl | |||||||
|     'reminder_message' => 'Memento pentru factura :number pentru :balance', |     'reminder_message' => 'Memento pentru factura :number pentru :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Trimiteți cu credențiale nevalide de GMail ', |     'gmail_credentials_invalid_subject' => 'Trimiteți cu credențiale nevalide de GMail ', | ||||||
|     'gmail_credentials_invalid_body' => 'Credențialele dumneavoastră de GMail nu sunt corecte. Conectați-vă în portalul pentru administratori și navigați spre Setări >  Detalii utilizatori și deconectați-vă și reconectați-vă contul GMail. Vă vom trimite această noficare în fiecare zi, până la momentul remedierii acestei probleme. ', |     'gmail_credentials_invalid_body' => 'Credențialele dumneavoastră de GMail nu sunt corecte. Conectați-vă în portalul pentru administratori și navigați spre Setări >  Detalii utilizatori și deconectați-vă și reconectați-vă contul GMail. Vă vom trimite această noficare în fiecare zi, până la momentul remedierii acestei probleme. ', | ||||||
|     'notification_invoice_sent' => 'Clientului :client a i-a fost trimisă factura :invoice în valoare de :amount.', |  | ||||||
|     'total_columns' => 'Total câmpuri', |     'total_columns' => 'Total câmpuri', | ||||||
|     'view_task' => 'Vizualizați sarcina', |     'view_task' => 'Vizualizați sarcina', | ||||||
|     'cancel_invoice' => 'Anulați', |     'cancel_invoice' => 'Anulați', | ||||||
| @ -4856,7 +4819,6 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4911,7 +4873,7 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5015,6 +4977,48 @@ Odată ce sumele au ajuns la dumneavoastră, reveniți la pagina cu metode de pl | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Платежный шлюз', |     'payment_gateway' => 'Платежный шлюз', | ||||||
|     'gateway_id' => 'Платёжный шлюз', |     'gateway_id' => 'Платёжный шлюз', | ||||||
|     'email_notifications' => 'Уведомления по электронной почте', |     'email_notifications' => 'Уведомления по электронной почте', | ||||||
|     'email_sent' => 'Присылать е-мейл когда счёт <b>отправлен</b>', |  | ||||||
|     'email_viewed' => 'Присылать е-мейл когда счёт <b>просмотрен</b>', |     'email_viewed' => 'Присылать е-мейл когда счёт <b>просмотрен</b>', | ||||||
|     'email_paid' => 'Присылать е-мейл когда счёт <b>оплачен</b>', |     'email_paid' => 'Присылать е-мейл когда счёт <b>оплачен</b>', | ||||||
|     'site_updates' => 'Обновления сайта', |     'site_updates' => 'Обновления сайта', | ||||||
| @ -907,8 +906,6 @@ $LANG = array( | |||||||
|     'expense' => 'Затрата', |     'expense' => 'Затрата', | ||||||
|     'expenses' => 'Затраты', |     'expenses' => 'Затраты', | ||||||
|     'new_expense' => 'Добавить затраты', |     'new_expense' => 'Добавить затраты', | ||||||
|     'enter_expense' => 'Добавить затраты', |  | ||||||
|     'vendors' => 'Поставщики', |  | ||||||
|     'new_vendor' => 'Новый поставщик', |     'new_vendor' => 'Новый поставщик', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Vendor', |     'vendor' => 'Vendor', | ||||||
| @ -1192,7 +1189,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1204,7 +1201,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live Preview', |  | ||||||
|     'page_size' => 'Page Size', |     'page_size' => 'Page Size', | ||||||
|     'live_preview_disabled' => 'Live preview has been disabled to support selected font', |     'live_preview_disabled' => 'Live preview has been disabled to support selected font', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1461,40 +1457,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Accounting & Legal', |  | ||||||
|     'industry_Advertising' => 'Advertising', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automotive', |  | ||||||
|     'industry_Banking & Finance' => 'Banking & Finance', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnology', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Business Services', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Chemicals', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers & Hightech', |  | ||||||
|     'industry_Defense' => 'Defense', |  | ||||||
|     'industry_Energy' => 'Energy', |  | ||||||
|     'industry_Entertainment' => 'Entertainment', |  | ||||||
|     'industry_Government' => 'Government', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Insurance', |  | ||||||
|     'industry_Manufacturing' => 'Manufacturing', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceuticals', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professional Services & Consulting', |  | ||||||
|     'industry_Real Estate' => 'Real Estate', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Retail & Wholesale', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transportation', |  | ||||||
|     'industry_Travel & Luxury' => 'Travel & Luxury', |  | ||||||
|     'industry_Other' => 'Other', |  | ||||||
|     'industry_Photography' => 'Photography', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2252,7 +2214,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'Invalid file type', |     'invalid_file' => 'Invalid file type', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Отметить оплаченным', |     'mark_expense_paid' => 'Отметить оплаченным', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Неверный код подтверждения', |     'wrong_confirmation' => 'Неверный код подтверждения', | ||||||
|     'oauth_taken' => 'Учетная запись уже существует', |     'oauth_taken' => 'Учетная запись уже существует', | ||||||
| @ -2451,6 +2413,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4230,7 +4193,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4299,6 +4261,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4352,7 +4317,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4543,7 +4507,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Клиенту :client было отправлено электронное письмо со счетом :invoice на сумму :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4853,7 +4816,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4908,7 +4870,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5012,6 +4974,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Platobná brána', |     'payment_gateway' => 'Platobná brána', | ||||||
|     'gateway_id' => 'Brána', |     'gateway_id' => 'Brána', | ||||||
|     'email_notifications' => 'Emailové notifikácie', |     'email_notifications' => 'Emailové notifikácie', | ||||||
|     'email_sent' => 'Odeslať email ak bola faktúra <b>odoslaná</b>', |  | ||||||
|     'email_viewed' => 'Odeslať email ak bola faktúra <b>zobrazená</b>', |     'email_viewed' => 'Odeslať email ak bola faktúra <b>zobrazená</b>', | ||||||
|     'email_paid' => 'Odeslať email ak bola faktúra <b>uhradená</b>', |     'email_paid' => 'Odeslať email ak bola faktúra <b>uhradená</b>', | ||||||
|     'site_updates' => 'Zmeny na stránke', |     'site_updates' => 'Zmeny na stránke', | ||||||
| @ -254,8 +253,8 @@ $LANG = array( | |||||||
|     'notification_invoice_paid' => 'Platba :amount bola odeslaná :client na faktúru :invoice.', |     '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_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.', |     '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' => 'Faktúra :invoicenumber za :amount pre klienta :client', | ||||||
|     'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client', |     'stripe_payment_text_without_invoice' => 'Platba bez faktúry v hodnote :amount pre klienta :client', | ||||||
|     'reset_password' => 'Svoje heslo môžete nastaviť kliknutím na nasledujúce tlačítko:', |     'reset_password' => 'Svoje heslo môžete nastaviť kliknutím na nasledujúce tlačítko:', | ||||||
|     'secure_payment' => 'Zabezpečená platba', |     'secure_payment' => 'Zabezpečená platba', | ||||||
|     'card_number' => 'Číslo karty', |     'card_number' => 'Číslo karty', | ||||||
| @ -904,8 +903,6 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'expense' => 'Výdaje', |     'expense' => 'Výdaje', | ||||||
|     'expenses' => 'Výdaje', |     'expenses' => 'Výdaje', | ||||||
|     'new_expense' => 'Zadajte výdaje', |     'new_expense' => 'Zadajte výdaje', | ||||||
|     'enter_expense' => 'Zadajte výdaje', |  | ||||||
|     'vendors' => 'Dodávatelia', |  | ||||||
|     'new_vendor' => 'Nový dodávateľ', |     'new_vendor' => 'Nový dodávateľ', | ||||||
|     'payment_terms_net' => 'Čistý', |     'payment_terms_net' => 'Čistý', | ||||||
|     'vendor' => 'Dodávateľ', |     'vendor' => 'Dodávateľ', | ||||||
| @ -1188,7 +1185,7 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'plan_started' => 'Plán začatý', |     'plan_started' => 'Plán začatý', | ||||||
|     'plan_expires' => 'Expirovaný plán', |     'plan_expires' => 'Expirovaný plán', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'Biely štítok', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Ročná registrácia do Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'Ročná registrácia do Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'Mesačná registrácia do Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'Mesačná registrácia do Invoice Ninja Pro Plan.', | ||||||
| @ -1200,7 +1197,6 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'plan_pending_monthly' => 'Prepne sa na mesačné dňa :date', |     'plan_pending_monthly' => 'Prepne sa na mesačné dňa :date', | ||||||
|     'plan_refunded' => 'Bola vydaná refundácia.', |     'plan_refunded' => 'Bola vydaná refundácia.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Živá ukážka', |  | ||||||
|     'page_size' => 'Veľkosť stránky', |     'page_size' => 'Veľkosť stránky', | ||||||
|     'live_preview_disabled' => 'Živý náhľad bol zakázaný, aby podporoval vybrané písmo', |     'live_preview_disabled' => 'Živý náhľad bol zakázaný, aby podporoval vybrané písmo', | ||||||
|     'invoice_number_padding' => 'Odsadenie', |     'invoice_number_padding' => 'Odsadenie', | ||||||
| @ -1457,40 +1453,6 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Účtovníctvo a právo', |  | ||||||
|     'industry_Advertising' => 'Reklama', |  | ||||||
|     'industry_Aerospace' => 'Letectvo', |  | ||||||
|     'industry_Agriculture' => 'Poľnohospodárstvo', |  | ||||||
|     'industry_Automotive' => 'Automobilový priemysel', |  | ||||||
|     'industry_Banking & Finance' => 'Bankovníctvo a financie', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnológie', |  | ||||||
|     'industry_Broadcasting' => 'Vysielanie', |  | ||||||
|     'industry_Business Services' => 'Obchodné Služby', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Komodity a chemikálie', |  | ||||||
|     'industry_Communications' => 'Komunikácie', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers Hightech', |  | ||||||
|     'industry_Defense' => 'Obrana', |  | ||||||
|     'industry_Energy' => 'Energetika', |  | ||||||
|     'industry_Entertainment' => 'Zábava', |  | ||||||
|     'industry_Government' => 'Vláda', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Zdravotníctvo a výskum', |  | ||||||
|     'industry_Insurance' => 'Poistenie', |  | ||||||
|     'industry_Manufacturing' => 'Výroba', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Médiá', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Neziskovky a vzdelávanie', |  | ||||||
|     'industry_Pharmaceuticals' => 'Farmaceutika', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Profesionálne služby a poradenstvo', |  | ||||||
|     'industry_Real Estate' => 'Reality', |  | ||||||
|     'industry_Restaurant & Catering' => 'Reštaurácie a stravovanie', |  | ||||||
|     'industry_Retail & Wholesale' => 'Maloobchod a veľkoobchod', |  | ||||||
|     'industry_Sports' => 'Šport', |  | ||||||
|     'industry_Transportation' => 'Preprava', |  | ||||||
|     'industry_Travel & Luxury' => 'Cestovanie a luxus', |  | ||||||
|     'industry_Other' => 'Ostatné', |  | ||||||
|     'industry_Photography' => 'Fotografovanie', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afganistan', |     'country_Afghanistan' => 'Afganistan', | ||||||
|     'country_Albania' => 'Albánsko', |     'country_Albania' => 'Albánsko', | ||||||
| @ -2248,7 +2210,7 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'invalid_file' => 'Neplatný typ súboru', |     'invalid_file' => 'Neplatný typ súboru', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Označiť ako uhradené', |     'mark_expense_paid' => 'Označiť ako uhradené', | ||||||
|     'white_label_license_error' => 'Nepodarilo sa overiť licenciu, ďalšie podrobnosti nájdete na stránke storage/logs/laravel-error.log.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Cena plánu', |     'plan_price' => 'Cena plánu', | ||||||
|     'wrong_confirmation' => 'Nesprávny potvrdzovací kód', |     'wrong_confirmation' => 'Nesprávny potvrdzovací kód', | ||||||
|     'oauth_taken' => 'Učet je už zaregistrovaný', |     'oauth_taken' => 'Učet je už zaregistrovaný', | ||||||
| @ -2447,6 +2409,7 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Kubánske Peso', |     'currency_cuban_peso' => 'Kubánske Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'písanie recenzie', |     'writing_a_review' => 'písanie recenzie', | ||||||
| @ -4226,7 +4189,6 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'activity_104' => ':user obnovil opakujúcu sa faktúru :recurring_invoice', |     'activity_104' => ':user obnovil opakujúcu sa faktúru :recurring_invoice', | ||||||
|     'new_login_detected' => 'Pre váš účet bolo zistené nové prihlásenie.', |     'new_login_detected' => 'Pre váš účet bolo zistené nové prihlásenie.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Záloha vašej spoločnosti je pripravená na stiahnutie', |  | ||||||
|     'contact_details' => 'Kontaktné údaje', |     'contact_details' => 'Kontaktné údaje', | ||||||
|     'download_backup_subject' => 'Záloha vašej spoločnosti je pripravená na stiahnutie', |     'download_backup_subject' => 'Záloha vašej spoločnosti je pripravená na stiahnutie', | ||||||
|     'account_passwordless_login' => 'Prihlásenie k účtu bez hesla', |     'account_passwordless_login' => 'Prihlásenie k účtu bez hesla', | ||||||
| @ -4295,6 +4257,9 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'Inkaso BECS', |     'becs' => 'Inkaso BECS', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'Pred pokračovaním musíte prijať podmienky.', |     'you_need_to_accept_the_terms_before_proceeding' => 'Pred pokračovaním musíte prijať podmienky.', | ||||||
|     'direct_debit' => 'Inkaso', |     'direct_debit' => 'Inkaso', | ||||||
| @ -4348,7 +4313,6 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'has_tasks' => 'Má úlohy', |     'has_tasks' => 'Má úlohy', | ||||||
|     'registration' => 'Registrácia', |     'registration' => 'Registrácia', | ||||||
|     'unauthorized_stripe_warning' => 'Autorizujte Stripe na prijímanie online platieb.', |     'unauthorized_stripe_warning' => 'Autorizujte Stripe na prijímanie online platieb.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Aktualizujte všetky záznamy', |     'update_all_records' => 'Aktualizujte všetky záznamy', | ||||||
|     'set_default_company' => 'Nastaviť predvolenú spoločnosť', |     'set_default_company' => 'Nastaviť predvolenú spoločnosť', | ||||||
|     'updated_company' => 'Spoločnosť bola úspešne aktualizovaná', |     'updated_company' => 'Spoločnosť bola úspešne aktualizovaná', | ||||||
| @ -4539,7 +4503,6 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Zákazníkovi :client bola odoslaná faktúra :invoice na :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4707,7 +4670,7 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'track_inventory_help' => 'Display a product stock field and update when invoices are sent', |     'track_inventory_help' => 'Display a product stock field and update when invoices are sent', | ||||||
|     'stock_notifications' => 'Stock Notifications', |     'stock_notifications' => 'Stock Notifications', | ||||||
|     'stock_notifications_help' => 'Send an email when the stock reaches the threshold', |     'stock_notifications_help' => 'Send an email when the stock reaches the threshold', | ||||||
|     'vat' => 'VAT', |     'vat' => 'IČ DPH', | ||||||
|     'view_map' => 'View Map', |     'view_map' => 'View Map', | ||||||
|     'set_default_design' => 'Set Default Design', |     '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' => 'Add a payment gateway (ie. Stripe, WePay or PayPal) to accept online payments', | ||||||
| @ -4777,13 +4740,13 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'invoice_task_project_help' => 'Add the project to the invoice line items', |     'invoice_task_project_help' => 'Add the project to the invoice line items', | ||||||
|     'bulk_action' => 'Bulk Action', |     'bulk_action' => 'Bulk Action', | ||||||
|     'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format', |     'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format', | ||||||
|     'transaction' => 'Transaction', |     'transaction' => 'Transakcia', | ||||||
|     'disable_2fa' => 'Disable 2FA', |     'disable_2fa' => 'Disable 2FA', | ||||||
|     'change_number' => 'Change Number', |     'change_number' => 'Change Number', | ||||||
|     'resend_code' => 'Resend Code', |     'resend_code' => 'Resend Code', | ||||||
|     'base_type' => 'Base Type', |     'base_type' => 'Base Type', | ||||||
|     'category_type' => 'Category Type', |     'category_type' => 'Category Type', | ||||||
|     'bank_transaction' => 'Transaction', |     'bank_transaction' => 'Transakcia', | ||||||
|     'bulk_print' => 'Print PDF', |     'bulk_print' => 'Print PDF', | ||||||
|     'vendor_postal_code' => 'Vendor Postal Code', |     'vendor_postal_code' => 'Vendor Postal Code', | ||||||
|     'preview_location' => 'Preview Location', |     'preview_location' => 'Preview Location', | ||||||
| @ -4815,13 +4778,13 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'matched' => 'Matched', |     'matched' => 'Matched', | ||||||
|     'unmatched' => 'Unmatched', |     'unmatched' => 'Unmatched', | ||||||
|     'create_credit' => 'Create Credit', |     'create_credit' => 'Create Credit', | ||||||
|     'transactions' => 'Transactions', |     'transactions' => 'Transakcie', | ||||||
|     'new_transaction' => 'New Transaction', |     'new_transaction' => 'Nová transakcia', | ||||||
|     'edit_transaction' => 'Edit Transaction', |     'edit_transaction' => 'Editovať transakciu', | ||||||
|     'created_transaction' => 'Successfully created transaction', |     'created_transaction' => 'Transakcia bola úspešne vytvorená', | ||||||
|     'updated_transaction' => 'Successfully updated transaction', |     'updated_transaction' => 'Transakcia bola úspešne aktualizovaná', | ||||||
|     'archived_transaction' => 'Successfully archived transaction', |     'archived_transaction' => 'Transakcia bola úspešne archivovaná', | ||||||
|     'deleted_transaction' => 'Successfully deleted transaction', |     'deleted_transaction' => 'Transakcia bola úspešne zmazaná', | ||||||
|     'removed_transaction' => 'Successfully removed transaction', |     'removed_transaction' => 'Successfully removed transaction', | ||||||
|     'restored_transaction' => 'Successfully restored transaction', |     'restored_transaction' => 'Successfully restored transaction', | ||||||
|     'search_transaction' => 'Search Transaction', |     'search_transaction' => 'Search Transaction', | ||||||
| @ -4849,7 +4812,6 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4891,8 +4853,8 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'search_transaction_rules' => 'Search Transaction Rules', |     'search_transaction_rules' => 'Search Transaction Rules', | ||||||
|     'payment_type_Interac E-Transfer' => 'Interac E-Transfer', |     'payment_type_Interac E-Transfer' => 'Interac E-Transfer', | ||||||
|     'delete_bank_account' => 'Delete Bank Account', |     'delete_bank_account' => 'Delete Bank Account', | ||||||
|     'archive_transaction' => 'Archive Transaction', |     'archive_transaction' => 'Archivovať transakciu', | ||||||
|     'delete_transaction' => 'Delete Transaction', |     'delete_transaction' => 'Zmazať transakciu', | ||||||
|     'otp_code_message' => 'We have sent a code to :email enter this code to proceed.', |     '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_subject' => 'Your one time passcode code', | ||||||
|     'otp_code_body' => 'Your one time passcode is :code', |     'otp_code_body' => 'Your one time passcode is :code', | ||||||
| @ -4904,7 +4866,7 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5008,6 +4970,48 @@ Nemôžete nájsť faktúru? Potrebujete poradiť? Radi Vám pomôžeme | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Plačilni prehodi', |     'payment_gateway' => 'Plačilni prehodi', | ||||||
|     'gateway_id' => 'Prehod', |     'gateway_id' => 'Prehod', | ||||||
|     'email_notifications' => 'E-poštna obvestila', |     'email_notifications' => 'E-poštna obvestila', | ||||||
|     'email_sent' => 'Pošlji mi e-pošto ob <b>poslanem</b> računu', |  | ||||||
|     'email_viewed' => 'Pošlji mi e-pošto ob <b>ogledanem</b> računu', |     'email_viewed' => 'Pošlji mi e-pošto ob <b>ogledanem</b> računu', | ||||||
|     'email_paid' => 'Pošlji mi e-pošto ob <b>plačanem</b> računu', |     'email_paid' => 'Pošlji mi e-pošto ob <b>plačanem</b> računu', | ||||||
|     'site_updates' => 'Posodobitve strani', |     'site_updates' => 'Posodobitve strani', | ||||||
| @ -906,8 +905,6 @@ Pošljite nam sporočilo na contact@invoiceninja.com', | |||||||
|     'expense' => 'Strošek', |     'expense' => 'Strošek', | ||||||
|     'expenses' => 'Stroški', |     'expenses' => 'Stroški', | ||||||
|     'new_expense' => 'Vnesi strošek', |     'new_expense' => 'Vnesi strošek', | ||||||
|     'enter_expense' => 'Vnesi strošek', |  | ||||||
|     'vendors' => 'Dobavitelji', |  | ||||||
|     'new_vendor' => 'Nov dobavitelj', |     'new_vendor' => 'Nov dobavitelj', | ||||||
|     'payment_terms_net' => 'Neto', |     'payment_terms_net' => 'Neto', | ||||||
|     'vendor' => 'Dobavitelj', |     'vendor' => 'Dobavitelj', | ||||||
| @ -1190,7 +1187,7 @@ Pošljite nam sporočilo na contact@invoiceninja.com', | |||||||
|     'plan_started' => 'Začetek paketa', |     'plan_started' => 'Začetek paketa', | ||||||
|     'plan_expires' => 'paket poteče', |     'plan_expires' => 'paket poteče', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Letna članarina v Invoice Ninja Pro paket.', |     'pro_plan_year_description' => 'Letna članarina v Invoice Ninja Pro paket.', | ||||||
|     'pro_plan_month_description' => 'Mesečna članarina v Invoice Ninja Pro paket.', |     'pro_plan_month_description' => 'Mesečna članarina v Invoice Ninja Pro paket.', | ||||||
| @ -1202,7 +1199,6 @@ Pošljite nam sporočilo na contact@invoiceninja.com', | |||||||
|     'plan_pending_monthly' => 'Preklom na mesečno na:', |     'plan_pending_monthly' => 'Preklom na mesečno na:', | ||||||
|     'plan_refunded' => 'Vračilo je bilo izvedeno.', |     'plan_refunded' => 'Vračilo je bilo izvedeno.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Takojšen predogled', |  | ||||||
|     'page_size' => ' |     'page_size' => ' | ||||||
| Velikost strani', | Velikost strani', | ||||||
|     'live_preview_disabled' => 'Zaradi izrane pisave je takojšen predogled onemogočen', |     'live_preview_disabled' => 'Zaradi izrane pisave je takojšen predogled onemogočen', | ||||||
| @ -1460,40 +1456,6 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Računovodstvo in Pravosodje', |  | ||||||
|     'industry_Advertising' => 'Oglaševanje', |  | ||||||
|     'industry_Aerospace' => 'Letalska industrija', |  | ||||||
|     'industry_Agriculture' => 'Kmetijstvo', |  | ||||||
|     'industry_Automotive' => 'Avtomobilizem', |  | ||||||
|     'industry_Banking & Finance' => 'Bančništvo in finance', |  | ||||||
|     'industry_Biotechnology' => 'Biotehnologija', |  | ||||||
|     'industry_Broadcasting' => 'Radiotelevizija', |  | ||||||
|     'industry_Business Services' => 'Poslovne storitve', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Surovine in kemikalije', |  | ||||||
|     'industry_Communications' => 'Komunikacije', |  | ||||||
|     'industry_Computers & Hightech' => 'Računalništvo', |  | ||||||
|     'industry_Defense' => 'Obramba', |  | ||||||
|     'industry_Energy' => 'Energija', |  | ||||||
|     'industry_Entertainment' => 'Zabava', |  | ||||||
|     'industry_Government' => 'Vlada', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Zdravstvo', |  | ||||||
|     'industry_Insurance' => 'Zavarovalništvo', |  | ||||||
|     'industry_Manufacturing' => 'Proizvodnja', |  | ||||||
|     'industry_Marketing' => 'Oglaševanje', |  | ||||||
|     'industry_Media' => 'Mediji', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Neprofitne organizacije', |  | ||||||
|     'industry_Pharmaceuticals' => 'Farmacevtski izdelki', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Svetovanje', |  | ||||||
|     'industry_Real Estate' => 'Nepremičnina', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restavracije in Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Trgovina na drobno in debelo', |  | ||||||
|     'industry_Sports' => 'Šport', |  | ||||||
|     'industry_Transportation' => 'Transport', |  | ||||||
|     'industry_Travel & Luxury' => 'Potovalne agencije', |  | ||||||
|     'industry_Other' => 'Ostalo', |  | ||||||
|     'industry_Photography' => 'Fotografija', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2251,7 +2213,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp | |||||||
|     'invalid_file' => 'Napačen tip datoteke', |     'invalid_file' => 'Napačen tip datoteke', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Označi plačano', |     'mark_expense_paid' => 'Označi plačano', | ||||||
|     'white_label_license_error' => 'Ni uspelo potrditi licence, preveri storage/logs/laravel-error.log za več podrobnosti.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Cene paketa', |     'plan_price' => 'Cene paketa', | ||||||
|     'wrong_confirmation' => 'Nepravilna potrditvena koda', |     'wrong_confirmation' => 'Nepravilna potrditvena koda', | ||||||
|     'oauth_taken' => 'Račun je že registriran', |     'oauth_taken' => 'Račun je že registriran', | ||||||
| @ -2450,6 +2412,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Kubanski Peso', |     'currency_cuban_peso' => 'Kubanski Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'Upamo da uživate v uporabi aplikacije.<br/>Zelo bi cenili klik na :link!', |     'review_app_help' => 'Upamo da uživate v uporabi aplikacije.<br/>Zelo bi cenili klik na :link!', | ||||||
|     'writing_a_review' => 'pisanje pregleda (kritike)', |     'writing_a_review' => 'pisanje pregleda (kritike)', | ||||||
| @ -4229,7 +4192,6 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4298,6 +4260,9 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4351,7 +4316,6 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4542,7 +4506,6 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Polja vnosa za skupni obračun cene', |     'total_columns' => 'Polja vnosa za skupni obračun cene', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4852,7 +4815,6 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4907,7 +4869,7 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5011,6 +4973,48 @@ Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Comp | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Kanali i pagesës', |     'payment_gateway' => 'Kanali i pagesës', | ||||||
|     'gateway_id' => 'Kanali', |     'gateway_id' => 'Kanali', | ||||||
|     'email_notifications' => 'Njoftime me email', |     'email_notifications' => 'Njoftime me email', | ||||||
|     'email_sent' => 'Më dërgo email kur fatura <b>dërgohet</b>', |  | ||||||
|     'email_viewed' => 'Më dërgo email kur fature <b>shikohet</b>', |     'email_viewed' => 'Më dërgo email kur fature <b>shikohet</b>', | ||||||
|     'email_paid' => 'Më dërgo email kur fatura <b>paguhet</b>', |     'email_paid' => 'Më dërgo email kur fatura <b>paguhet</b>', | ||||||
|     'site_updates' => 'Perditesimet e faqes', |     'site_updates' => 'Perditesimet e faqes', | ||||||
| @ -904,8 +903,6 @@ $LANG = array( | |||||||
|     'expense' => 'Shpenzimet', |     'expense' => 'Shpenzimet', | ||||||
|     'expenses' => 'Shpenzimet', |     'expenses' => 'Shpenzimet', | ||||||
|     'new_expense' => 'Enter Expense', |     'new_expense' => 'Enter Expense', | ||||||
|     'enter_expense' => 'Shto shpenzim', |  | ||||||
|     'vendors' => 'Kompanitë', |  | ||||||
|     'new_vendor' => 'Kompani e re', |     'new_vendor' => 'Kompani e re', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Kompani', |     'vendor' => 'Kompani', | ||||||
| @ -1189,7 +1186,7 @@ Fushat e njësive në faturë', | |||||||
|     'plan_started' => 'Plani ka filluar', |     'plan_started' => 'Plani ka filluar', | ||||||
|     'plan_expires' => 'Plani skadon', |     'plan_expires' => 'Plani skadon', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Regjistrimi një vjeçar në Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'Regjistrimi një vjeçar në Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'Regjistrim një mujor në Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'Regjistrim një mujor në Invoice Ninja Pro Plan.', | ||||||
| @ -1201,7 +1198,6 @@ Fushat e njësive në faturë', | |||||||
|     'plan_pending_monthly' => 'Do të kaloj në baza mujore më :date', |     'plan_pending_monthly' => 'Do të kaloj në baza mujore më :date', | ||||||
|     'plan_refunded' => 'Rimbursimi është aprovuar.', |     'plan_refunded' => 'Rimbursimi është aprovuar.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live parashikim', |  | ||||||
|     'page_size' => 'Madhësia e faqes', |     'page_size' => 'Madhësia e faqes', | ||||||
|     'live_preview_disabled' => 'Parashikimi live është çaktivizuar për të përkrahur fontin e selektuar', |     'live_preview_disabled' => 'Parashikimi live është çaktivizuar për të përkrahur fontin e selektuar', | ||||||
|     'invoice_number_padding' => 'Mbushje', |     'invoice_number_padding' => 'Mbushje', | ||||||
| @ -1458,40 +1454,6 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Kontabilitet & Ligjore', |  | ||||||
|     'industry_Advertising' => 'Reklamimi', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Agrikultura', |  | ||||||
|     'industry_Automotive' => 'Automobilizëm', |  | ||||||
|     'industry_Banking & Finance' => 'Banka dhe Financa', |  | ||||||
|     'industry_Biotechnology' => 'Bioteknologji', |  | ||||||
|     'industry_Broadcasting' => 'Transmetim', |  | ||||||
|     'industry_Business Services' => 'Shërbime biznesi', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Kemikale', |  | ||||||
|     'industry_Communications' => 'Komunikimi', |  | ||||||
|     'industry_Computers & Hightech' => 'Kompjuter & Tekonologji', |  | ||||||
|     'industry_Defense' => 'Mbrojtje', |  | ||||||
|     'industry_Energy' => 'Energji', |  | ||||||
|     'industry_Entertainment' => 'Zbavitje', |  | ||||||
|     'industry_Government' => 'Qeveri', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Shëndetësi & Shkencë', |  | ||||||
|     'industry_Insurance' => 'Sigurime', |  | ||||||
|     'industry_Manufacturing' => 'Prodhi', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'OJQ', |  | ||||||
|     'industry_Pharmaceuticals' => 'Farmaceutike', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Shërbime profesionale & konsultim', |  | ||||||
|     'industry_Real Estate' => 'Patundshmëri', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Shitje', |  | ||||||
|     'industry_Sports' => 'Sport', |  | ||||||
|     'industry_Transportation' => 'Transport', |  | ||||||
|     'industry_Travel & Luxury' => 'Udhëtime & Luks', |  | ||||||
|     'industry_Other' => 'Të tjera', |  | ||||||
|     'industry_Photography' => 'Fotografi', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albania', |     'country_Albania' => 'Albania', | ||||||
| @ -2249,7 +2211,7 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli | |||||||
|     'invalid_file' => 'Invalid file type', |     'invalid_file' => 'Invalid file type', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Mark paid', |     'mark_expense_paid' => 'Mark paid', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation code', |     'wrong_confirmation' => 'Incorrect confirmation code', | ||||||
|     'oauth_taken' => 'The account is already registered', |     'oauth_taken' => 'The account is already registered', | ||||||
| @ -2448,6 +2410,7 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4227,7 +4190,6 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4296,6 +4258,9 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4349,7 +4314,6 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4540,7 +4504,6 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Klienti :client ka dërguar me email faturën :invoice për shumën :amount', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4850,7 +4813,6 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4905,7 +4867,7 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5009,6 +4971,48 @@ Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe kli | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Kanal naplate', |     'payment_gateway' => 'Kanal naplate', | ||||||
|     'gateway_id' => 'Kanal', |     'gateway_id' => 'Kanal', | ||||||
|     'email_notifications' => 'Obaveštenja e-poštom', |     'email_notifications' => 'Obaveštenja e-poštom', | ||||||
|     'email_sent' => 'Obavesti me e-poštom kada je račun <b>poslat</b>', |  | ||||||
|     'email_viewed' => 'Obavesti me e-poštom kada je račun <b>pregledan</b>', |     'email_viewed' => 'Obavesti me e-poštom kada je račun <b>pregledan</b>', | ||||||
|     'email_paid' => 'Obavesti me e-poštom kada je račun <b>plaćen</b>', |     'email_paid' => 'Obavesti me e-poštom kada je račun <b>plaćen</b>', | ||||||
|     'site_updates' => 'Ažuriranja', |     'site_updates' => 'Ažuriranja', | ||||||
| @ -907,8 +906,6 @@ $LANG = array( | |||||||
|     'expense' => 'Trošak', |     'expense' => 'Trošak', | ||||||
|     'expenses' => 'Troškovi', |     'expenses' => 'Troškovi', | ||||||
|     'new_expense' => 'Unesi trošak', |     'new_expense' => 'Unesi trošak', | ||||||
|     'enter_expense' => 'Unesi trošak', |  | ||||||
|     'vendors' => 'Dobavljači', |  | ||||||
|     'new_vendor' => 'Novi dobavljač', |     'new_vendor' => 'Novi dobavljač', | ||||||
|     'payment_terms_net' => 'Neto', |     'payment_terms_net' => 'Neto', | ||||||
|     'vendor' => 'Dobavljač', |     'vendor' => 'Dobavljač', | ||||||
| @ -1191,7 +1188,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Plan započet', |     'plan_started' => 'Plan započet', | ||||||
|     'plan_expires' => 'Plan ističe', |     'plan_expires' => 'Plan ističe', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'Licenca bez brendiranja', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Jednogodišnji upis u Invoice Ninja Pro plan.', |     'pro_plan_year_description' => 'Jednogodišnji upis u Invoice Ninja Pro plan.', | ||||||
|     'pro_plan_month_description' => 'Jednomesečni upis u Invoice Ninja Pro plan.', |     'pro_plan_month_description' => 'Jednomesečni upis u Invoice Ninja Pro plan.', | ||||||
| @ -1203,7 +1200,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Prebaciće se na mesečno :date', |     'plan_pending_monthly' => 'Prebaciće se na mesečno :date', | ||||||
|     'plan_refunded' => 'Novac je vraćen.', |     'plan_refunded' => 'Novac je vraćen.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Pregled uživo', |  | ||||||
|     'page_size' => 'Veličina stranice', |     'page_size' => 'Veličina stranice', | ||||||
|     'live_preview_disabled' => 'Pregled uživo je onemogućen da podrži izabrani font', |     'live_preview_disabled' => 'Pregled uživo je onemogućen da podrži izabrani font', | ||||||
|     'invoice_number_padding' => 'Dodavanje', |     'invoice_number_padding' => 'Dodavanje', | ||||||
| @ -1460,40 +1456,6 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Računovodstvo i pravo', |  | ||||||
|     'industry_Advertising' => 'Oglašavanje', |  | ||||||
|     'industry_Aerospace' => 'Vazduhoplovstvo', |  | ||||||
|     'industry_Agriculture' => 'Poljoprivreda', |  | ||||||
|     'industry_Automotive' => 'Automobilska industrija', |  | ||||||
|     'industry_Banking & Finance' => 'Bankarstvo i finansije', |  | ||||||
|     'industry_Biotechnology' => 'Biotehnologija', |  | ||||||
|     'industry_Broadcasting' => 'Usluge emitovanja', |  | ||||||
|     'industry_Business Services' => 'Poslovne usluge', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Roba i hemikalije', |  | ||||||
|     'industry_Communications' => 'Komunikacije', |  | ||||||
|     'industry_Computers & Hightech' => 'Računari i visoka tehnologija', |  | ||||||
|     'industry_Defense' => 'Odbrana', |  | ||||||
|     'industry_Energy' => 'Energija', |  | ||||||
|     'industry_Entertainment' => 'Zabava', |  | ||||||
|     'industry_Government' => 'Vlada', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Zdravstvene i životne nauke', |  | ||||||
|     'industry_Insurance' => 'Osiguranje', |  | ||||||
|     'industry_Manufacturing' => 'Proizvodnja', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Mediji', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Neprofitno poslovanje i visoko školstvo', |  | ||||||
|     'industry_Pharmaceuticals' => 'Farmaceutski proizvodi', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Profesionalne usluge & Savetovanje', |  | ||||||
|     'industry_Real Estate' => 'Nekretnine', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restorani & Ketering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Maloprodaja & Veleprodaja', |  | ||||||
|     'industry_Sports' => 'Sport', |  | ||||||
|     'industry_Transportation' => 'Transport', |  | ||||||
|     'industry_Travel & Luxury' => 'Putovanja & luksuz', |  | ||||||
|     'industry_Other' => 'Drugo', |  | ||||||
|     'industry_Photography' => 'Fotografija', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afganistan', |     'country_Afghanistan' => 'Afganistan', | ||||||
|     'country_Albania' => 'Albanija', |     'country_Albania' => 'Albanija', | ||||||
| @ -2251,7 +2213,7 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k | |||||||
|     'invalid_file' => 'Nevažeći tip datoteke', |     'invalid_file' => 'Nevažeći tip datoteke', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Označiti kao plaćeno', |     'mark_expense_paid' => 'Označiti kao plaćeno', | ||||||
|     'white_label_license_error' => 'Provera licence nije uspela, proverite storage/logs/laravel-error.log za više detalja.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Planska cena', |     'plan_price' => 'Planska cena', | ||||||
|     'wrong_confirmation' => 'Netačan kod za potvrdu', |     'wrong_confirmation' => 'Netačan kod za potvrdu', | ||||||
|     'oauth_taken' => 'Ovaj nalog je već registrovan', |     'oauth_taken' => 'Ovaj nalog je već registrovan', | ||||||
| @ -2450,6 +2412,7 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatski vatu', |     'currency_vanuatu_vatu' => 'Vanuatski vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Kubanski pezos', |     'currency_cuban_peso' => 'Kubanski pezos', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'Nadamo se da uživate u korišćenju aplikacije. <br/> Bili bismo veoma zahvalni ako biste razmotrili :link.', |     'review_app_help' => 'Nadamo se da uživate u korišćenju aplikacije. <br/> Bili bismo veoma zahvalni ako biste razmotrili :link.', | ||||||
|     'writing_a_review' => 'pisanje recenzije', |     'writing_a_review' => 'pisanje recenzije', | ||||||
| @ -4229,7 +4192,6 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k | |||||||
|     'activity_104' => ':user je vratio redovni račun :recurring_invoice', |     'activity_104' => ':user je vratio redovni račun :recurring_invoice', | ||||||
|     'new_login_detected' => 'Otkrivena je nova prijava za vaš nalog. ', |     'new_login_detected' => 'Otkrivena je nova prijava za vaš nalog. ', | ||||||
|     'new_login_description' => 'Nedavno ste se prijavili na svoj Invoice Ninja nalog sa nove lokacije ili uređaja: <br><br><b>IP:</b> :ip<br><b>Time: </b>:time<br><b>Email: </b> :email', |     'new_login_description' => 'Nedavno ste se prijavili na svoj Invoice Ninja nalog sa nove lokacije ili uređaja: <br><br><b>IP:</b> :ip<br><b>Time: </b>:time<br><b>Email: </b> :email', | ||||||
|     'download_backup_subject' => 'Rezervna kopija vaše kompanije je spremna za preuzimanje', |  | ||||||
|     'contact_details' => 'Kontakt detalji', |     'contact_details' => 'Kontakt detalji', | ||||||
|     'download_backup_subject' => 'Rezervna kopija vaše kompanije je spremna za preuzimanje', |     'download_backup_subject' => 'Rezervna kopija vaše kompanije je spremna za preuzimanje', | ||||||
|     'account_passwordless_login' => 'Prijava bez lozinke', |     'account_passwordless_login' => 'Prijava bez lozinke', | ||||||
| @ -4298,6 +4260,9 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS direktno zaduživanje', |     'becs' => 'BECS direktno zaduživanje', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'Morate da prihvatite uslove pre nego što nastavite.', |     'you_need_to_accept_the_terms_before_proceeding' => 'Morate da prihvatite uslove pre nego što nastavite.', | ||||||
|     'direct_debit' => 'Direktni dug', |     'direct_debit' => 'Direktni dug', | ||||||
| @ -4351,7 +4316,6 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4542,7 +4506,6 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Sledećem klijentu :client je poslat e-poštom račun :invoice na iznos :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4852,7 +4815,6 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4907,7 +4869,7 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5011,6 +4973,48 @@ Kada budete imali iznose, vratite se na ovu stranicu sa načinima plaćanja i k | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Betalningstjänst', |     'payment_gateway' => 'Betalningstjänst', | ||||||
|     'gateway_id' => 'Tjänst', |     'gateway_id' => 'Tjänst', | ||||||
|     'email_notifications' => 'E-post Notifieringar', |     'email_notifications' => 'E-post Notifieringar', | ||||||
|     'email_sent' => 'Skicka e-post när faktura <b>skickas</b>', |  | ||||||
|     'email_viewed' => 'Skicka e-post när faktura <b>visas</b>', |     'email_viewed' => 'Skicka e-post när faktura <b>visas</b>', | ||||||
|     'email_paid' => 'Skicka e-post när faktura <b>betalas</b>', |     'email_paid' => 'Skicka e-post när faktura <b>betalas</b>', | ||||||
|     'site_updates' => 'Sajt-uppdateringar', |     'site_updates' => 'Sajt-uppdateringar', | ||||||
| @ -906,8 +905,6 @@ $LANG = array( | |||||||
|     'expense' => 'Utgift', |     'expense' => 'Utgift', | ||||||
|     'expenses' => 'Utgifter', |     'expenses' => 'Utgifter', | ||||||
|     'new_expense' => 'Ny Kostnad', |     'new_expense' => 'Ny Kostnad', | ||||||
|     'enter_expense' => 'Skriv in Kostnad', |  | ||||||
|     'vendors' => 'Leverantörer', |  | ||||||
|     'new_vendor' => 'Ny leverantör', |     'new_vendor' => 'Ny leverantör', | ||||||
|     'payment_terms_net' => 'Netto', |     'payment_terms_net' => 'Netto', | ||||||
|     'vendor' => 'Leverantör', |     'vendor' => 'Leverantör', | ||||||
| @ -1190,7 +1187,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'Nivå startad', |     'plan_started' => 'Nivå startad', | ||||||
|     'plan_expires' => 'Nivå utgår', |     'plan_expires' => 'Nivå utgår', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'Ett års registering på Invoice Ninja Pro nivå.', |     'pro_plan_year_description' => 'Ett års registering på Invoice Ninja Pro nivå.', | ||||||
|     'pro_plan_month_description' => 'En månads registering på Invoice Ninja Pro nivå.', |     'pro_plan_month_description' => 'En månads registering på Invoice Ninja Pro nivå.', | ||||||
| @ -1202,7 +1199,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'Bytar till månadsvis den :date', |     'plan_pending_monthly' => 'Bytar till månadsvis den :date', | ||||||
|     'plan_refunded' => 'En återbetalning har blivit gjord.', |     'plan_refunded' => 'En återbetalning har blivit gjord.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live förhandsgranskning', |  | ||||||
|     'page_size' => 'Sidstorlek', |     'page_size' => 'Sidstorlek', | ||||||
|     'live_preview_disabled' => 'Live förhandsgranskning har stängts av för att stödja fonten', |     'live_preview_disabled' => 'Live förhandsgranskning har stängts av för att stödja fonten', | ||||||
|     'invoice_number_padding' => 'Stoppning', |     'invoice_number_padding' => 'Stoppning', | ||||||
| @ -1459,40 +1455,6 @@ När ni har pengarna, kom tillbaka till denna betalningsmetods sida och klicka p | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Redovisning & Legala', |  | ||||||
|     'industry_Advertising' => 'Annonsering', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Lantbruk', |  | ||||||
|     'industry_Automotive' => 'Bil', |  | ||||||
|     'industry_Banking & Finance' => 'Bank & Finans', |  | ||||||
|     'industry_Biotechnology' => 'Bioteknologi', |  | ||||||
|     'industry_Broadcasting' => 'Broadcastning', |  | ||||||
|     'industry_Business Services' => 'Affärstjänster', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Råvaror och kemikalier', |  | ||||||
|     'industry_Communications' => 'Kommunikationer', |  | ||||||
|     'industry_Computers & Hightech' => 'Datorer och avancerat', |  | ||||||
|     'industry_Defense' => 'Försvar', |  | ||||||
|     'industry_Energy' => 'Energi', |  | ||||||
|     'industry_Entertainment' => 'Underhållning', |  | ||||||
|     'industry_Government' => 'Regering', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Hälsa och livforskning', |  | ||||||
|     'industry_Insurance' => 'Försäkring', |  | ||||||
|     'industry_Manufacturing' => 'Tillverkning', |  | ||||||
|     'industry_Marketing' => 'Marknadsföring', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Ideellt och högre forskning', |  | ||||||
|     'industry_Pharmaceuticals' => 'Läkemedel', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professionella tjänster & rådgivning', |  | ||||||
|     'industry_Real Estate' => 'Fastighet', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurang & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Detaljhandel & Partihandel', |  | ||||||
|     'industry_Sports' => 'Sport', |  | ||||||
|     'industry_Transportation' => 'Transport', |  | ||||||
|     'industry_Travel & Luxury' => 'Resor & Lyx', |  | ||||||
|     'industry_Other' => 'Övrigt', |  | ||||||
|     'industry_Photography' => 'Fotografering', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afghanistan', |     'country_Afghanistan' => 'Afghanistan', | ||||||
|     'country_Albania' => 'Albanien', |     'country_Albania' => 'Albanien', | ||||||
| @ -2258,7 +2220,7 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k | |||||||
|     'invalid_file' => 'Ogiltig filtyp', |     'invalid_file' => 'Ogiltig filtyp', | ||||||
|     'add_documents_to_invoice' => 'Bifoga dokument till fakturan', |     'add_documents_to_invoice' => 'Bifoga dokument till fakturan', | ||||||
|     'mark_expense_paid' => 'Markera som betald', |     'mark_expense_paid' => 'Markera som betald', | ||||||
|     'white_label_license_error' => 'Misslyckas att validera licensen, kolla storage/logs/laravel-error.log för mer detaljer.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Pris plan', |     'plan_price' => 'Pris plan', | ||||||
|     'wrong_confirmation' => 'Ogiltig bekräftelsekod', |     'wrong_confirmation' => 'Ogiltig bekräftelsekod', | ||||||
|     'oauth_taken' => 'Kontot är redan registerat', |     'oauth_taken' => 'Kontot är redan registerat', | ||||||
| @ -2457,6 +2419,7 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4236,7 +4199,6 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k | |||||||
|     'activity_104' => ':user återställde en återkommande faktur :recurring_invoice', |     'activity_104' => ':user återställde en återkommande faktur :recurring_invoice', | ||||||
|     'new_login_detected' => 'Ny inloggning har upptäckts för ditt konto.', |     'new_login_detected' => 'Ny inloggning har upptäckts för ditt konto.', | ||||||
|     'new_login_description' => 'Du har nyligen loggat in på din Invoice Ninja konto från en ny plats eller enhet:<br><br><b>IP:</b> :ip<br><b>Tid:</b> :time<br><b>E-post:</b> :email', |     'new_login_description' => 'Du har nyligen loggat in på din Invoice Ninja konto från en ny plats eller enhet:<br><br><b>IP:</b> :ip<br><b>Tid:</b> :time<br><b>E-post:</b> :email', | ||||||
|     'download_backup_subject' => 'Din företags backup är klar för nedladdning', |  | ||||||
|     'contact_details' => 'Kontaktuppgifter', |     'contact_details' => 'Kontaktuppgifter', | ||||||
|     'download_backup_subject' => 'Din företags backup är klar för nedladdning', |     'download_backup_subject' => 'Din företags backup är klar för nedladdning', | ||||||
|     'account_passwordless_login' => 'Konto lösenordsfri inloggning', |     'account_passwordless_login' => 'Konto lösenordsfri inloggning', | ||||||
| @ -4305,6 +4267,9 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4358,7 +4323,6 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4549,7 +4513,6 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'Följande kund :client har e-postats fakturan :invoice på :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4859,7 +4822,6 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4914,7 +4876,7 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5018,6 +4980,48 @@ Den här funktionen kräver att en produkt skapas och en betalningsgateway är k | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'ช่องทางการชำระเงิน', |     'payment_gateway' => 'ช่องทางการชำระเงิน', | ||||||
|     'gateway_id' => 'ช่องทาง', |     'gateway_id' => 'ช่องทาง', | ||||||
|     'email_notifications' => 'การแจ้งเตือนทางอีเมล', |     'email_notifications' => 'การแจ้งเตือนทางอีเมล', | ||||||
|     'email_sent' => 'ส่งอีเมลถึงฉันเมื่อใบแจ้งหนี้ถูก <b>ส่ง</b>', |  | ||||||
|     'email_viewed' => 'ส่งอีเมลถึงฉันเมื่อใบแจ้งหนี้ถูก <b>อ่าน</b>', |     'email_viewed' => 'ส่งอีเมลถึงฉันเมื่อใบแจ้งหนี้ถูก <b>อ่าน</b>', | ||||||
|     'email_paid' => 'ส่งอีเมลถึงฉันเมื่อใบแจ้งหนี้ได้รับการ <b>ชำระเงิน</b>', |     'email_paid' => 'ส่งอีเมลถึงฉันเมื่อใบแจ้งหนี้ได้รับการ <b>ชำระเงิน</b>', | ||||||
|     'site_updates' => 'การอัปเดตไซด์', |     'site_updates' => 'การอัปเดตไซด์', | ||||||
| @ -908,8 +907,6 @@ $LANG = array( | |||||||
|     'expense' => 'ค่าใช้จ่าย', |     'expense' => 'ค่าใช้จ่าย', | ||||||
|     'expenses' => 'ค่าใช้จ่าย', |     'expenses' => 'ค่าใช้จ่าย', | ||||||
|     'new_expense' => 'ป้อนค่าใช้จ่าย', |     'new_expense' => 'ป้อนค่าใช้จ่าย', | ||||||
|     'enter_expense' => 'ป้อนค่าใช้จ่าย', |  | ||||||
|     'vendors' => 'ผู้ขาย', |  | ||||||
|     'new_vendor' => 'ผู้ขายใหม่', |     'new_vendor' => 'ผู้ขายใหม่', | ||||||
|     'payment_terms_net' => 'สุทธิ', |     'payment_terms_net' => 'สุทธิ', | ||||||
|     'vendor' => 'ผู้ขาย', |     'vendor' => 'ผู้ขาย', | ||||||
| @ -1192,7 +1189,7 @@ $LANG = array( | |||||||
|     'plan_started' => 'เริ่มต้นแพลน', |     'plan_started' => 'เริ่มต้นแพลน', | ||||||
|     'plan_expires' => 'แพลนหมดอายุ', |     'plan_expires' => 'แพลนหมดอายุ', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'การลงทะเบียนหนึ่งปีสำหรับ   Invoice Ninja Pro Plan', |     'pro_plan_year_description' => 'การลงทะเบียนหนึ่งปีสำหรับ   Invoice Ninja Pro Plan', | ||||||
|     'pro_plan_month_description' => 'ลงทะเบียนหนึ่งเดือนสำหรับ Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'ลงทะเบียนหนึ่งเดือนสำหรับ Invoice Ninja Pro Plan.', | ||||||
| @ -1204,7 +1201,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => 'จะเปลี่ยนเป็นรายเดือน :date', |     'plan_pending_monthly' => 'จะเปลี่ยนเป็นรายเดือน :date', | ||||||
|     'plan_refunded' => 'มีการออกเอกสารการคืนเงินแล้ว', |     'plan_refunded' => 'มีการออกเอกสารการคืนเงินแล้ว', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'ดูตัวอย่างสด', |  | ||||||
|     'page_size' => 'ขนาดหน้า', |     'page_size' => 'ขนาดหน้า', | ||||||
|     'live_preview_disabled' => 'การดูตัวอย่างแบบสดถูกปิดใช้งานเพื่อสนับสนุนแบบอักษรที่เลือก', |     'live_preview_disabled' => 'การดูตัวอย่างแบบสดถูกปิดใช้งานเพื่อสนับสนุนแบบอักษรที่เลือก', | ||||||
|     'invoice_number_padding' => 'การขยาย', |     'invoice_number_padding' => 'การขยาย', | ||||||
| @ -1461,40 +1457,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'การบัญชีและกฎหมาย', |  | ||||||
|     'industry_Advertising' => 'การโฆษณา', |  | ||||||
|     'industry_Aerospace' => 'การบินและอวกาศ', |  | ||||||
|     'industry_Agriculture' => 'การเกษตร', |  | ||||||
|     'industry_Automotive' => 'ยานยนต์', |  | ||||||
|     'industry_Banking & Finance' => 'การเงินและการธนาคาร', |  | ||||||
|     'industry_Biotechnology' => 'เทคโนโลยีชีวภาพ', |  | ||||||
|     'industry_Broadcasting' => 'วิทยุและการกระจายเสียง', |  | ||||||
|     'industry_Business Services' => 'บริการทางธุรกิจ', |  | ||||||
|     'industry_Commodities & Chemicals' => 'สินค้าโภคภัณฑ์และเคมีภัณฑ์', |  | ||||||
|     'industry_Communications' => 'คมนาคม', |  | ||||||
|     'industry_Computers & Hightech' => 'คอมพิวเตอร์และเทคโนโลยี', |  | ||||||
|     'industry_Defense' => 'การป้องกันทางทหาร', |  | ||||||
|     'industry_Energy' => 'พลังงาน', |  | ||||||
|     'industry_Entertainment' => 'บันเทิง', |  | ||||||
|     'industry_Government' => 'ราชการ', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'สุขภาพและวิทยาศาสตร์เพื่อชีวิต', |  | ||||||
|     'industry_Insurance' => 'ประกันภัย', |  | ||||||
|     'industry_Manufacturing' => 'การผลิต', |  | ||||||
|     'industry_Marketing' => 'การตลาด', |  | ||||||
|     'industry_Media' => 'สื่อ', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'องค์กรที่ไม่แสวงหากำไรและอุดมศึกษา', |  | ||||||
|     'industry_Pharmaceuticals' => 'ยาและเวชภัณฑ์', |  | ||||||
|     'industry_Professional Services & Consulting' => 'บริการและที่ปรึกษาทางวิชาชีพ', |  | ||||||
|     'industry_Real Estate' => 'อสังหาริมทรัพย์', |  | ||||||
|     'industry_Restaurant & Catering' => 'ร้านอาหารและการจัดเลี้ยง', |  | ||||||
|     'industry_Retail & Wholesale' => 'ค้าปลีกค้าส่ง', |  | ||||||
|     'industry_Sports' => 'กีฬา', |  | ||||||
|     'industry_Transportation' => 'การขนส่ง', |  | ||||||
|     'industry_Travel & Luxury' => 'การท่องเที่ยวและความบันเทิง', |  | ||||||
|     'industry_Other' => 'อื่นๆ', |  | ||||||
|     'industry_Photography' => 'ภาพถ่าย', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'อัฟกานิสถาน', |     'country_Afghanistan' => 'อัฟกานิสถาน', | ||||||
|     'country_Albania' => 'อัลบาเนีย', |     'country_Albania' => 'อัลบาเนีย', | ||||||
| @ -2252,7 +2214,7 @@ $LANG = array( | |||||||
|     'invalid_file' => 'ชนิดไฟล์ไม่ถูกต้อง', |     'invalid_file' => 'ชนิดไฟล์ไม่ถูกต้อง', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'ทำเครื่องหมายว่าจ่ายแล้ว', |     'mark_expense_paid' => 'ทำเครื่องหมายว่าจ่ายแล้ว', | ||||||
|     'white_label_license_error' => 'ไม่สามารถตรวจสอบความถูกต้องของใบอนุญาตตรวจสอบพื้นที่จัดเก็บ / logs / laravel-error.log สำหรับรายละเอียดเพิ่มเติม', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'ราคา Plan', |     'plan_price' => 'ราคา Plan', | ||||||
|     'wrong_confirmation' => 'รหัสยืนยันไม่ถูกต้อง', |     'wrong_confirmation' => 'รหัสยืนยันไม่ถูกต้อง', | ||||||
|     'oauth_taken' => 'มีการลงทะเบียนบัญชีแล้ว', |     'oauth_taken' => 'มีการลงทะเบียนบัญชีแล้ว', | ||||||
| @ -2451,6 +2413,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4230,7 +4193,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4299,6 +4261,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4352,7 +4317,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4543,7 +4507,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => 'ลูกค้าต่อไปนี้ :client ได้ส่งอีเมลใบแจ้งหนี้ :invoice สำหรับ :amount.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4853,7 +4816,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4908,7 +4870,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5012,6 +4974,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => 'Ödeme Geçidi', |     'payment_gateway' => 'Ödeme Geçidi', | ||||||
|     'gateway_id' => 'Geçit', |     'gateway_id' => 'Geçit', | ||||||
|     'email_notifications' => 'E-posta Bildirimleri', |     'email_notifications' => 'E-posta Bildirimleri', | ||||||
|     'email_sent' => 'Fatura <b>gönderildiğinde</b> bana E-Posta gönder', |  | ||||||
|     'email_viewed' => 'Fatura <b>görüntülendiğinde</b> bana E-Posta gönder', |     'email_viewed' => 'Fatura <b>görüntülendiğinde</b> bana E-Posta gönder', | ||||||
|     'email_paid' => 'Fatura <b>ödendiğinde</b> bana E-Posta gönder', |     'email_paid' => 'Fatura <b>ödendiğinde</b> bana E-Posta gönder', | ||||||
|     'site_updates' => 'Site Güncellemeleri', |     'site_updates' => 'Site Güncellemeleri', | ||||||
| @ -906,8 +905,6 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen | |||||||
|     'expense' => 'Gider', |     'expense' => 'Gider', | ||||||
|     'expenses' => 'Giderler', |     'expenses' => 'Giderler', | ||||||
|     'new_expense' => 'Gider Girişi', |     'new_expense' => 'Gider Girişi', | ||||||
|     'enter_expense' => 'Gider Girişi', |  | ||||||
|     'vendors' => 'Tedarikçiler', |  | ||||||
|     'new_vendor' => 'Yeni Tedarikçi', |     'new_vendor' => 'Yeni Tedarikçi', | ||||||
|     'payment_terms_net' => 'Net', |     'payment_terms_net' => 'Net', | ||||||
|     'vendor' => 'Tedarikçi', |     'vendor' => 'Tedarikçi', | ||||||
| @ -1190,7 +1187,7 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen | |||||||
|     'plan_started' => 'Plan Started', |     'plan_started' => 'Plan Started', | ||||||
|     'plan_expires' => 'Plan Expires', |     'plan_expires' => 'Plan Expires', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => 'White Label', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.', | ||||||
|     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', |     'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.', | ||||||
| @ -1202,7 +1199,6 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen | |||||||
|     'plan_pending_monthly' => 'Will switch to monthly on :date', |     'plan_pending_monthly' => 'Will switch to monthly on :date', | ||||||
|     'plan_refunded' => 'A refund has been issued.', |     'plan_refunded' => 'A refund has been issued.', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => 'Live Preview', |  | ||||||
|     'page_size' => 'Sayfa Boyutu', |     'page_size' => 'Sayfa Boyutu', | ||||||
|     'live_preview_disabled' => 'Live preview has been disabled to support selected font', |     'live_preview_disabled' => 'Live preview has been disabled to support selected font', | ||||||
|     'invoice_number_padding' => 'Padding', |     'invoice_number_padding' => 'Padding', | ||||||
| @ -1459,40 +1455,6 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => 'Accounting & Legal', |  | ||||||
|     'industry_Advertising' => 'Advertising', |  | ||||||
|     'industry_Aerospace' => 'Aerospace', |  | ||||||
|     'industry_Agriculture' => 'Agriculture', |  | ||||||
|     'industry_Automotive' => 'Automotive', |  | ||||||
|     'industry_Banking & Finance' => 'Banking & Finance', |  | ||||||
|     'industry_Biotechnology' => 'Biotechnology', |  | ||||||
|     'industry_Broadcasting' => 'Broadcasting', |  | ||||||
|     'industry_Business Services' => 'Business Services', |  | ||||||
|     'industry_Commodities & Chemicals' => 'Commodities & Chemicals', |  | ||||||
|     'industry_Communications' => 'Communications', |  | ||||||
|     'industry_Computers & Hightech' => 'Computers & Hightech', |  | ||||||
|     'industry_Defense' => 'Defense', |  | ||||||
|     'industry_Energy' => 'Energy', |  | ||||||
|     'industry_Entertainment' => 'Entertainment', |  | ||||||
|     'industry_Government' => 'Government', |  | ||||||
|     'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', |  | ||||||
|     'industry_Insurance' => 'Insurance', |  | ||||||
|     'industry_Manufacturing' => 'Manufacturing', |  | ||||||
|     'industry_Marketing' => 'Marketing', |  | ||||||
|     'industry_Media' => 'Media', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', |  | ||||||
|     'industry_Pharmaceuticals' => 'Pharmaceuticals', |  | ||||||
|     'industry_Professional Services & Consulting' => 'Professional Services & Consulting', |  | ||||||
|     'industry_Real Estate' => 'Real Estate', |  | ||||||
|     'industry_Restaurant & Catering' => 'Restaurant & Catering', |  | ||||||
|     'industry_Retail & Wholesale' => 'Retail & Wholesale', |  | ||||||
|     'industry_Sports' => 'Sports', |  | ||||||
|     'industry_Transportation' => 'Transportation', |  | ||||||
|     'industry_Travel & Luxury' => 'Travel & Luxury', |  | ||||||
|     'industry_Other' => 'Other', |  | ||||||
|     'industry_Photography' => 'Photography', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => 'Afganistan', |     'country_Afghanistan' => 'Afganistan', | ||||||
|     'country_Albania' => 'Arnavutluk', |     'country_Albania' => 'Arnavutluk', | ||||||
| @ -2250,7 +2212,7 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen | |||||||
|     'invalid_file' => 'Invalid file type', |     'invalid_file' => 'Invalid file type', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => 'Mark paid', |     'mark_expense_paid' => 'Mark paid', | ||||||
|     'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => 'Plan Price', |     'plan_price' => 'Plan Price', | ||||||
|     'wrong_confirmation' => 'Incorrect confirmation code', |     'wrong_confirmation' => 'Incorrect confirmation code', | ||||||
|     'oauth_taken' => 'The account is already registered', |     'oauth_taken' => 'The account is already registered', | ||||||
| @ -2449,6 +2411,7 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen | |||||||
|     'currency_vanuatu_vatu' => 'Vanuatu Vatu', |     'currency_vanuatu_vatu' => 'Vanuatu Vatu', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => 'Cuban Peso', |     'currency_cuban_peso' => 'Cuban Peso', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', |     'review_app_help' => 'We hope you\'re enjoying using the app.<br/>If you\'d consider :link we\'d greatly appreciate it!', | ||||||
|     'writing_a_review' => 'writing a review', |     'writing_a_review' => 'writing a review', | ||||||
| @ -4228,7 +4191,6 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4297,6 +4259,9 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4350,7 +4315,6 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4541,7 +4505,6 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => ':client adlı müşteriye :amount tutarındaki :invoice nolu fatura e-posta ile gönderildi.', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4851,7 +4814,6 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4906,7 +4868,7 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5010,6 +4972,48 @@ adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -174,7 +174,6 @@ $LANG = array( | |||||||
|     'payment_gateway' => '付款閘道', |     'payment_gateway' => '付款閘道', | ||||||
|     'gateway_id' => '閘道', |     'gateway_id' => '閘道', | ||||||
|     'email_notifications' => '以電子郵件通知', |     'email_notifications' => '以電子郵件通知', | ||||||
|     'email_sent' => '當發票<b>寄出</b>後,以電子郵件通知我', |  | ||||||
|     'email_viewed' => '當發票<b>已檢視</b>後,以電子郵件通知我', |     'email_viewed' => '當發票<b>已檢視</b>後,以電子郵件通知我', | ||||||
|     'email_paid' => '當發票款項<b>已付清</b>後,以電子郵件通知我', |     'email_paid' => '當發票款項<b>已付清</b>後,以電子郵件通知我', | ||||||
|     'site_updates' => '網站更新', |     'site_updates' => '網站更新', | ||||||
| @ -904,8 +903,6 @@ $LANG = array( | |||||||
|     'expense' => '支出', |     'expense' => '支出', | ||||||
|     'expenses' => '支出', |     'expenses' => '支出', | ||||||
|     'new_expense' => '輸入支出', |     'new_expense' => '輸入支出', | ||||||
|     'enter_expense' => '輸入支出', |  | ||||||
|     'vendors' => '供應商', |  | ||||||
|     'new_vendor' => '新供應商', |     'new_vendor' => '新供應商', | ||||||
|     'payment_terms_net' => '淨額', |     'payment_terms_net' => '淨額', | ||||||
|     'vendor' => '供應商', |     'vendor' => '供應商', | ||||||
| @ -1188,7 +1185,7 @@ $LANG = array( | |||||||
|     'plan_started' => '選用版本的效期開始於', |     'plan_started' => '選用版本的效期開始於', | ||||||
|     'plan_expires' => '選用版本的效期開始於', |     'plan_expires' => '選用版本的效期開始於', | ||||||
| 
 | 
 | ||||||
|     'white_label_button' => '白牌', |     'white_label_button' => 'Purchase White Label', | ||||||
| 
 | 
 | ||||||
|     'pro_plan_year_description' => '訂用 Invoice Ninja 專業版一年方案。', |     'pro_plan_year_description' => '訂用 Invoice Ninja 專業版一年方案。', | ||||||
|     'pro_plan_month_description' => '訂用 Invoice Ninja 專業版一個月方案。', |     'pro_plan_month_description' => '訂用 Invoice Ninja 專業版一個月方案。', | ||||||
| @ -1200,7 +1197,6 @@ $LANG = array( | |||||||
|     'plan_pending_monthly' => '將於 :date 切換至月租型', |     'plan_pending_monthly' => '將於 :date 切換至月租型', | ||||||
|     'plan_refunded' => '已發送一筆退款。', |     'plan_refunded' => '已發送一筆退款。', | ||||||
| 
 | 
 | ||||||
|     'live_preview' => '即時預覽', |  | ||||||
|     'page_size' => '頁面尺寸', |     'page_size' => '頁面尺寸', | ||||||
|     'live_preview_disabled' => '為支援選用的字型,已停用即時預覽', |     'live_preview_disabled' => '為支援選用的字型,已停用即時預覽', | ||||||
|     'invoice_number_padding' => '未定的', |     'invoice_number_padding' => '未定的', | ||||||
| @ -1457,40 +1453,6 @@ $LANG = array( | |||||||
|     'payment_type_GoCardless' => 'GoCardless', |     'payment_type_GoCardless' => 'GoCardless', | ||||||
|     'payment_type_Zelle' => 'Zelle', |     'payment_type_Zelle' => 'Zelle', | ||||||
| 
 | 
 | ||||||
|     // Industries
 |  | ||||||
|     'industry_Accounting & Legal' => '會計與法務', |  | ||||||
|     'industry_Advertising' => '廣告', |  | ||||||
|     'industry_Aerospace' => '航太工業', |  | ||||||
|     'industry_Agriculture' => '農業', |  | ||||||
|     'industry_Automotive' => '汽車工業', |  | ||||||
|     'industry_Banking & Finance' => '銀行與保險', |  | ||||||
|     'industry_Biotechnology' => '生物科技', |  | ||||||
|     'industry_Broadcasting' => '傳播', |  | ||||||
|     'industry_Business Services' => '商業服務', |  | ||||||
|     'industry_Commodities & Chemicals' => '化學產品', |  | ||||||
|     'industry_Communications' => '通訊', |  | ||||||
|     'industry_Computers & Hightech' => '電腦與高科技', |  | ||||||
|     'industry_Defense' => '國防', |  | ||||||
|     'industry_Energy' => '能源', |  | ||||||
|     'industry_Entertainment' => '娛樂', |  | ||||||
|     'industry_Government' => '政府', |  | ||||||
|     'industry_Healthcare & Life Sciences' => '醫療保健與生命科學', |  | ||||||
|     'industry_Insurance' => '保險', |  | ||||||
|     'industry_Manufacturing' => '製造業', |  | ||||||
|     'industry_Marketing' => '行銷', |  | ||||||
|     'industry_Media' => '媒體', |  | ||||||
|     'industry_Nonprofit & Higher Ed' => '非營利與高等教育', |  | ||||||
|     'industry_Pharmaceuticals' => '藥品', |  | ||||||
|     'industry_Professional Services & Consulting' => '專業服務與諮詢', |  | ||||||
|     'industry_Real Estate' => '房地產', |  | ||||||
|     'industry_Restaurant & Catering' => '餐廳與餐飲業', |  | ||||||
|     'industry_Retail & Wholesale' => '批發零售', |  | ||||||
|     'industry_Sports' => '運動', |  | ||||||
|     'industry_Transportation' => '運輸', |  | ||||||
|     'industry_Travel & Luxury' => '旅遊與奢華', |  | ||||||
|     'industry_Other' => '其他', |  | ||||||
|     'industry_Photography' => '攝影', |  | ||||||
| 
 |  | ||||||
|     // Countries
 |     // Countries
 | ||||||
|     'country_Afghanistan' => '阿富汗', |     'country_Afghanistan' => '阿富汗', | ||||||
|     'country_Albania' => '阿爾巴尼亞', |     'country_Albania' => '阿爾巴尼亞', | ||||||
| @ -2248,7 +2210,7 @@ $LANG = array( | |||||||
|     'invalid_file' => '無效的檔案類型', |     'invalid_file' => '無效的檔案類型', | ||||||
|     'add_documents_to_invoice' => 'Add Documents to Invoice', |     'add_documents_to_invoice' => 'Add Documents to Invoice', | ||||||
|     'mark_expense_paid' => '標記已付', |     'mark_expense_paid' => '標記已付', | ||||||
|     'white_label_license_error' => '無法驗證授權。預知詳情,請檢查 storage/logs/laravel-error.log。', |     'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', | ||||||
|     'plan_price' => '方案價格', |     'plan_price' => '方案價格', | ||||||
|     'wrong_confirmation' => '不正確的認證碼', |     'wrong_confirmation' => '不正確的認證碼', | ||||||
|     'oauth_taken' => '這個帳號已被登記', |     'oauth_taken' => '這個帳號已被登記', | ||||||
| @ -2447,6 +2409,7 @@ $LANG = array( | |||||||
|     'currency_vanuatu_vatu' => '瓦努阿圖瓦圖', |     'currency_vanuatu_vatu' => '瓦努阿圖瓦圖', | ||||||
| 
 | 
 | ||||||
|     'currency_cuban_peso' => '古巴披索', |     'currency_cuban_peso' => '古巴披索', | ||||||
|  |     'currency_bz_dollar' => 'BZ Dollar', | ||||||
| 
 | 
 | ||||||
|     'review_app_help' => '我們希望您喜歡使用這個程式。<br/>若您考慮 :link,我們會非常感謝!', |     'review_app_help' => '我們希望您喜歡使用這個程式。<br/>若您考慮 :link,我們會非常感謝!', | ||||||
|     'writing_a_review' => '撰寫評語', |     'writing_a_review' => '撰寫評語', | ||||||
| @ -4226,7 +4189,6 @@ $LANG = array( | |||||||
|     'activity_104' => ':user restored recurring invoice :recurring_invoice', |     'activity_104' => ':user restored recurring invoice :recurring_invoice', | ||||||
|     'new_login_detected' => 'New login detected for your account.', |     'new_login_detected' => 'New login detected for your account.', | ||||||
|     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', |     'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device:<br><br><b>IP:</b> :ip<br><b>Time:</b> :time<br><b>Email:</b> :email', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |  | ||||||
|     'contact_details' => 'Contact Details', |     'contact_details' => 'Contact Details', | ||||||
|     'download_backup_subject' => 'Your company backup is ready for download', |     'download_backup_subject' => 'Your company backup is ready for download', | ||||||
|     'account_passwordless_login' => 'Account passwordless login', |     'account_passwordless_login' => 'Account passwordless login', | ||||||
| @ -4295,6 +4257,9 @@ $LANG = array( | |||||||
|     'klarna' => 'Klarna', |     'klarna' => 'Klarna', | ||||||
|     'eps' => 'EPS', |     'eps' => 'EPS', | ||||||
|     'becs' => 'BECS Direct Debit', |     'becs' => 'BECS Direct Debit', | ||||||
|  |     'bacs' => 'BACS Direct Debit', | ||||||
|  |     'payment_type_BACS' => 'BACS Direct Debit', | ||||||
|  |     'missing_payment_method' => 'Please add a payment method first, before trying to pay.', | ||||||
|     '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.', |     '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.', | ||||||
|     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', |     'you_need_to_accept_the_terms_before_proceeding' => 'You need to accept the terms before proceeding.', | ||||||
|     'direct_debit' => 'Direct Debit', |     'direct_debit' => 'Direct Debit', | ||||||
| @ -4348,7 +4313,6 @@ $LANG = array( | |||||||
|     'has_tasks' => 'Has Tasks', |     'has_tasks' => 'Has Tasks', | ||||||
|     'registration' => 'Registration', |     'registration' => 'Registration', | ||||||
|     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', |     'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', | ||||||
|     'fpx' => 'FPX', |  | ||||||
|     'update_all_records' => 'Update all records', |     'update_all_records' => 'Update all records', | ||||||
|     'set_default_company' => 'Set Default Company', |     'set_default_company' => 'Set Default Company', | ||||||
|     'updated_company' => 'Successfully updated company', |     'updated_company' => 'Successfully updated company', | ||||||
| @ -4539,7 +4503,6 @@ $LANG = array( | |||||||
|     'reminder_message' => 'Reminder for invoice :number for :balance', |     'reminder_message' => 'Reminder for invoice :number for :balance', | ||||||
|     'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', |     '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', |     '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' => '以下用戶 :client 透過電子郵件傳送 :amount 的發票 :invoice。', |  | ||||||
|     'total_columns' => 'Total Fields', |     'total_columns' => 'Total Fields', | ||||||
|     'view_task' => 'View Task', |     'view_task' => 'View Task', | ||||||
|     'cancel_invoice' => 'Cancel', |     'cancel_invoice' => 'Cancel', | ||||||
| @ -4849,7 +4812,6 @@ $LANG = array( | |||||||
|     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', |     'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', | ||||||
|     'expense_paid_report' => 'Expensed reporting', |     'expense_paid_report' => 'Expensed reporting', | ||||||
|     'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', |     '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', |     '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', |     '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', |     'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', | ||||||
| @ -4904,7 +4866,7 @@ $LANG = array( | |||||||
|     'export_company' => 'Create company backup', |     'export_company' => 'Create company backup', | ||||||
|     'backup' => 'Backup', |     'backup' => 'Backup', | ||||||
|     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', |     'notification_purchase_order_created_body' => 'The following purchase_order :purchase_order was created for vendor :vendor for :amount.', | ||||||
|     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor',     |     'notification_purchase_order_created_subject' => 'Purchase Order :purchase_order was created for :vendor', | ||||||
|     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', |     'notification_purchase_order_sent_subject' => 'Purchase Order :purchase_order was sent to :vendor', | ||||||
|     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', |     'notification_purchase_order_sent' => 'The following vendor :vendor was emailed Purchase Order :purchase_order for :amount.', | ||||||
|     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', |     'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', | ||||||
| @ -5008,6 +4970,48 @@ $LANG = array( | |||||||
|     'add_company_logo' => 'Add Logo', |     'add_company_logo' => 'Add Logo', | ||||||
|     'add_stripe' => 'Add Stripe', |     'add_stripe' => 'Add Stripe', | ||||||
|     'invalid_coupon' => 'Invalid Coupon', |     'invalid_coupon' => 'Invalid Coupon', | ||||||
|  |     'no_assigned_tasks' => 'No billable tasks for this project', | ||||||
|  |     'authorization_failure' => 'Insufficient permissions to perform this action', | ||||||
|  |     'authorization_sms_failure' => 'Please verify your account to send emails.', | ||||||
|  |     'white_label_body' => 'Thank you for purchasing a white label license. <br><br> Your license key is: <br><br> :license_key', | ||||||
|  |     'payment_type_Klarna' => 'Klarna', | ||||||
|  |     'payment_type_Interac E Transfer' => 'Interac E Transfer', | ||||||
|  |     'pre_payment' => 'Pre Payment', | ||||||
|  |     'number_of_payments' => 'Number of payments', | ||||||
|  |     'number_of_payments_helper' => 'The number of times this payment will be made', | ||||||
|  |     'pre_payment_indefinitely' => 'Continue until cancelled', | ||||||
|  |     'notification_payment_emailed' => 'Payment :payment was emailed to :client', | ||||||
|  |     'notification_payment_emailed_subject' => 'Payment :payment was emailed', | ||||||
|  |     'record_not_found' => 'Record not found', | ||||||
|  |     'product_tax_exempt' => 'Product Tax Exempt', | ||||||
|  |     'product_type_physical' => 'Physical Goods', | ||||||
|  |     'product_type_digital' => 'Digital Goods', | ||||||
|  |     'product_type_service' => 'Services', | ||||||
|  |     'product_type_freight' => 'Shipping', | ||||||
|  |     'minimum_payment_amount' => 'Minimum Payment Amount', | ||||||
|  |     'client_initiated_payments' => 'Client Initiated Payments', | ||||||
|  |     'client_initiated_payments_help' => 'Support making a payment in the client portal without an invoice', | ||||||
|  |     'share_invoice_quote_columns' => 'Share Invoice/Quote Columns', | ||||||
|  |     'cc_email' => 'CC Email', | ||||||
|  |     'payment_balance' => 'Payment Balance', | ||||||
|  |     'view_report_permission' => 'Allow user to access the reports, data is limited to available permissions', | ||||||
|  |     'activity_138' => 'Payment :payment was emailed to :client', | ||||||
|  |     'one_time_products' => 'One-Time Products', | ||||||
|  |     'optional_one_time_products' => 'Optional One-Time Products', | ||||||
|  |     'required' => 'Required', | ||||||
|  |     'hidden' => 'Hidden', | ||||||
|  |     'payment_links' => 'Payment Links', | ||||||
|  |     'payment_link' => 'Payment Link', | ||||||
|  |     'new_payment_link' => 'New Payment Link', | ||||||
|  |     'edit_payment_link' => 'Edit Payment Link', | ||||||
|  |     'created_payment_link' => 'Successfully created payment link', | ||||||
|  |     'updated_payment_link' => 'Successfully updated payment link', | ||||||
|  |     'archived_payment_link' => 'Successfully archived payment link', | ||||||
|  |     'deleted_payment_link' => 'Successfully deleted payment link', | ||||||
|  |     'removed_payment_link' => 'Successfully removed payment link', | ||||||
|  |     'restored_payment_link' => 'Successfully restored payment link', | ||||||
|  |     'search_payment_link' => 'Search 1 Payment Link', | ||||||
|  |     'search_payment_links' => 'Search :count Payment Links', | ||||||
| ); | ); | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  | |||||||
							
								
								
									
										6
									
								
								public/flutter_service_worker.js
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										6
									
								
								public/flutter_service_worker.js
									
									
									
									
										vendored
									
									
								
							| @ -4,13 +4,13 @@ const TEMP = 'flutter-temp-cache'; | |||||||
| const CACHE_NAME = 'flutter-app-cache'; | const CACHE_NAME = 'flutter-app-cache'; | ||||||
| const RESOURCES = { | const RESOURCES = { | ||||||
|   "flutter.js": "a85fcf6324d3c4d3ae3be1ae4931e9c5", |   "flutter.js": "a85fcf6324d3c4d3ae3be1ae4931e9c5", | ||||||
| "main.dart.js": "29c9385583149c5c9b5ec47a9b569034", | "main.dart.js": "c5661e06ae85e9793e071a7ba09b6169", | ||||||
| "canvaskit/profiling/canvaskit.js": "c21852696bc1cc82e8894d851c01921a", | "canvaskit/profiling/canvaskit.js": "c21852696bc1cc82e8894d851c01921a", | ||||||
| "canvaskit/profiling/canvaskit.wasm": "371bc4e204443b0d5e774d64a046eb99", | "canvaskit/profiling/canvaskit.wasm": "371bc4e204443b0d5e774d64a046eb99", | ||||||
| "canvaskit/canvaskit.js": "97937cb4c2c2073c968525a3e08c86a3", | "canvaskit/canvaskit.js": "97937cb4c2c2073c968525a3e08c86a3", | ||||||
| "canvaskit/canvaskit.wasm": "3de12d898ec208a5f31362cc00f09b9e", | "canvaskit/canvaskit.wasm": "3de12d898ec208a5f31362cc00f09b9e", | ||||||
| "favicon.png": "dca91c54388f52eded692718d5a98b8b", | "favicon.png": "dca91c54388f52eded692718d5a98b8b", | ||||||
| "version.json": "fc63fc0c4dfb32e05d77488e53770076", | "version.json": "5c8d2d4d25a3c1b612c18ccbb2312e2f", | ||||||
| "manifest.json": "ef43d90e57aa7682d7e2cfba2f484a40", | "manifest.json": "ef43d90e57aa7682d7e2cfba2f484a40", | ||||||
| "favicon.ico": "51636d3a390451561744c42188ccd628", | "favicon.ico": "51636d3a390451561744c42188ccd628", | ||||||
| "assets/AssetManifest.json": "759f9ef9973f7e26c2a51450b55bb9fa", | "assets/AssetManifest.json": "759f9ef9973f7e26c2a51450b55bb9fa", | ||||||
| @ -298,7 +298,7 @@ const RESOURCES = { | |||||||
| "assets/packages/material_design_icons_flutter/lib/fonts/materialdesignicons-webfont.ttf": "dd74f11e425603c7adb66100f161b2a5", | "assets/packages/material_design_icons_flutter/lib/fonts/materialdesignicons-webfont.ttf": "dd74f11e425603c7adb66100f161b2a5", | ||||||
| "assets/FontManifest.json": "087fb858dc3cbfbf6baf6a30004922f1", | "assets/FontManifest.json": "087fb858dc3cbfbf6baf6a30004922f1", | ||||||
| "assets/NOTICES": "3dad07993c5dfb9208eba18d3e2bda8e", | "assets/NOTICES": "3dad07993c5dfb9208eba18d3e2bda8e", | ||||||
| "/": "3d0d0ba469e2f81ced356bcda2c77921", | "/": "77eebcb0548da9bca45f30c251fb7777", | ||||||
| "icons/Icon-512.png": "0f9aff01367f0a0c69773d25ca16ef35", | "icons/Icon-512.png": "0f9aff01367f0a0c69773d25ca16ef35", | ||||||
| "icons/Icon-192.png": "bb1cf5f6982006952211c7c8404ffbed" | "icons/Icon-192.png": "bb1cf5f6982006952211c7c8404ffbed" | ||||||
| }; | }; | ||||||
|  | |||||||
							
								
								
									
										139560
									
								
								public/main.dart.js
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										139560
									
								
								public/main.dart.js
									
									
									
									
										vendored
									
									
								
							
										
											
												File diff suppressed because one or more lines are too long
											
										
									
								
							
										
											
												File diff suppressed because one or more lines are too long
											
										
									
								
							
							
								
								
									
										137834
									
								
								public/main.foss.dart.js
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										137834
									
								
								public/main.foss.dart.js
									
									
									
									
										vendored
									
									
								
							
										
											
												File diff suppressed because one or more lines are too long
											
										
									
								
							
										
											
												File diff suppressed because one or more lines are too long
											
										
									
								
							
							
								
								
									
										151
									
								
								public/main.profile.dart.js
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										151
									
								
								public/main.profile.dart.js
									
									
									
									
										vendored
									
									
								
							| @ -65726,7 +65726,7 @@ | |||||||
|       if (B.JSString_methods.startsWith$1(url, "https://invoicing.co")) |       if (B.JSString_methods.startsWith$1(url, "https://invoicing.co")) | ||||||
|         secret = ""; |         secret = ""; | ||||||
|       t1 = type$.legacy_String; |       t1 = type$.legacy_String; | ||||||
|       headers = A.LinkedHashMap_LinkedHashMap$_literal(["X-CLIENT-VERSION", "5.0.110", "X-API-SECRET", secret, "X-Requested-With", "XMLHttpRequest", "Content-Type", "application/json; charset=utf-8"], t1, t1); |       headers = A.LinkedHashMap_LinkedHashMap$_literal(["X-CLIENT-VERSION", "5.0.113", "X-API-SECRET", secret, "X-Requested-With", "XMLHttpRequest", "Content-Type", "application/json; charset=utf-8"], t1, t1); | ||||||
|       if (token.length !== 0) |       if (token.length !== 0) | ||||||
|         headers.$indexSet(0, "X-API-Token", token); |         headers.$indexSet(0, "X-API-Token", token); | ||||||
|       if ((idToken == null ? "" : idToken).length !== 0) |       if ((idToken == null ? "" : idToken).length !== 0) | ||||||
| @ -65750,9 +65750,9 @@ | |||||||
|         t2 = response.get$body(response).length > 200 ? B.JSString_methods.substring$2(response.get$body(response), 0, 200) : response.get$body(response); |         t2 = response.get$body(response).length > 200 ? B.JSString_methods.substring$2(response.get$body(response), 0, 200) : response.get$body(response); | ||||||
|         throw A.wrapException("Error: please check that Invoice Ninja v5 is installed on the server\n\nURL: " + url + "\n\nResponse: " + t2 + "\n\nHeaders: " + t1.toString$0(0) + "}"); |         throw A.wrapException("Error: please check that Invoice Ninja v5 is installed on the server\n\nURL: " + url + "\n\nResponse: " + t2 + "\n\nHeaders: " + t1.toString$0(0) + "}"); | ||||||
|       } else { |       } else { | ||||||
|         t1 = A.Version__compare(A.Version_parse("5.0.110"), A.Version_parse(minClientVersion)); |         t1 = A.Version__compare(A.Version_parse("5.0.113"), A.Version_parse(minClientVersion)); | ||||||
|         if (t1 < 0) |         if (t1 < 0) | ||||||
|           throw A.wrapException("Error: client not supported, please update to the latest version [Current v5.0.110 < Minimum v" + A.S(minClientVersion) + "]"); |           throw A.wrapException("Error: client not supported, please update to the latest version [Current v5.0.113 < Minimum v" + A.S(minClientVersion) + "]"); | ||||||
|         else { |         else { | ||||||
|           t1 = A.Version__compare(A.Version_parse(serverVersion), A.Version_parse("5.0.4")); |           t1 = A.Version__compare(A.Version_parse(serverVersion), A.Version_parse("5.0.4")); | ||||||
|           if (t1 < 0) |           if (t1 < 0) | ||||||
| @ -140399,6 +140399,15 @@ | |||||||
|         return false; |         return false; | ||||||
|       return true; |       return true; | ||||||
|     }, |     }, | ||||||
|  |     supportsLatestFeatures() { | ||||||
|  |       var t1 = $.$get$navigatorKey(); | ||||||
|  |       t1.toString; | ||||||
|  |       t1 = A.StoreProvider_of($.WidgetsBinding__instance.WidgetsBinding__buildOwner._globalKeyRegistry.$index(0, t1), type$.legacy_AppState).__Store__state_A; | ||||||
|  |       t1 === $ && A.throwUnnamedLateFieldNI(); | ||||||
|  |       if (!t1.get$isHosted()) | ||||||
|  |         return true; | ||||||
|  |       return true; | ||||||
|  |     }, | ||||||
|     supportsInAppPurchase() { |     supportsInAppPurchase() { | ||||||
|       var t1 = $.$get$navigatorKey(); |       var t1 = $.$get$navigatorKey(); | ||||||
|       t1.toString; |       t1.toString; | ||||||
| @ -349243,7 +349252,7 @@ | |||||||
|         return B.EntityType_client; |         return B.EntityType_client; | ||||||
|       else if (B.JSArray_methods.contains$1(A._setArrayType(["4", "5", "6", "7", "8", "9", "25", "53", "58", "59", "63", "64", "65", "66", "57"], t1), t2)) |       else if (B.JSArray_methods.contains$1(A._setArrayType(["4", "5", "6", "7", "8", "9", "25", "53", "58", "59", "63", "64", "65", "66", "57"], t1), t2)) | ||||||
|         return B.EntityType_invoice; |         return B.EntityType_invoice; | ||||||
|       else if (B.JSArray_methods.contains$1(A._setArrayType(["10", "11", "12", "13", "27", "41", "54"], t1), t2)) |       else if (B.JSArray_methods.contains$1(A._setArrayType(["10", "11", "12", "13", "27", "41", "54", "138"], t1), t2)) | ||||||
|         return B.EntityType_payment; |         return B.EntityType_payment; | ||||||
|       else if (B.JSArray_methods.contains$1(A._setArrayType(["14", "15", "16", "17", "28", "39", "40", "60"], t1), t2)) |       else if (B.JSArray_methods.contains$1(A._setArrayType(["14", "15", "16", "17", "28", "39", "40", "60"], t1), t2)) | ||||||
|         return B.EntityType_credit; |         return B.EntityType_credit; | ||||||
| @ -354893,15 +354902,18 @@ | |||||||
|               actions.push(B.EntityAction_start); |               actions.push(B.EntityAction_start); | ||||||
|             else if (B.JSArray_methods.contains$1(A._setArrayType(["-1", "2"], t3), t4)) |             else if (B.JSArray_methods.contains$1(A._setArrayType(["-1", "2"], t3), t4)) | ||||||
|               actions.push(B.EntityAction_stop); |               actions.push(B.EntityAction_stop); | ||||||
|             actions.push(B.EntityAction_updatePrices); |             if (A.supportsLatestFeatures()) { | ||||||
|             actions.push(B.EntityAction_increasePrices); |               actions.push(B.EntityAction_updatePrices); | ||||||
|  |               actions.push(B.EntityAction_increasePrices); | ||||||
|  |             } | ||||||
|           } else if (!_this.get$isCancelledOrReversed()) |           } else if (!_this.get$isCancelledOrReversed()) | ||||||
|             if (multiselect) |             if (multiselect) | ||||||
|               actions.push(B.EntityAction_bulkSendEmail); |               actions.push(B.EntityAction_bulkSendEmail); | ||||||
|             else { |             else { | ||||||
|               actions.push(B.EntityAction_sendEmail); |               actions.push(B.EntityAction_sendEmail); | ||||||
|               if (_this.get$isUnpaid()) |               if (_this.get$isUnpaid()) | ||||||
|                 actions.push(B.EntityAction_schedule); |                 if (A.supportsLatestFeatures()) | ||||||
|  |                   actions.push(B.EntityAction_schedule); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|         if (multiselect) { |         if (multiselect) { | ||||||
| @ -380902,7 +380914,7 @@ | |||||||
|     emailCredit$body$CreditRepository(credentials, credit, template, subject, body, ccEmail) { |     emailCredit$body$CreditRepository(credentials, credit, template, subject, body, ccEmail) { | ||||||
|       var $async$goto = 0, |       var $async$goto = 0, | ||||||
|         $async$completer = A._makeAsyncAwaitCompleter(type$.legacy_InvoiceEntity), |         $async$completer = A._makeAsyncAwaitCompleter(type$.legacy_InvoiceEntity), | ||||||
|         $async$returnValue, t1, response; |         $async$returnValue, response, t1; | ||||||
|       var $async$emailCredit$6 = A._wrapJsFunctionForAsync(function($async$errorCode, $async$result) { |       var $async$emailCredit$6 = A._wrapJsFunctionForAsync(function($async$errorCode, $async$result) { | ||||||
|         if ($async$errorCode === 1) |         if ($async$errorCode === 1) | ||||||
|           return A._asyncRethrow($async$result, $async$completer); |           return A._asyncRethrow($async$result, $async$completer); | ||||||
| @ -380911,8 +380923,16 @@ | |||||||
|             case 0: |             case 0: | ||||||
|               // Function start
 |               // Function start
 | ||||||
|               t1 = type$.legacy_String; |               t1 = type$.legacy_String; | ||||||
|  |               t1 = A.LinkedHashMap_LinkedHashMap$_empty(t1, t1); | ||||||
|  |               t1.$indexSet(0, "entity", A.S(credit.entityType)); | ||||||
|  |               t1.$indexSet(0, "entity_id", credit.id); | ||||||
|  |               t1.$indexSet(0, "template", "email_template_" + A.S(template)); | ||||||
|  |               t1.$indexSet(0, "body", body); | ||||||
|  |               t1.$indexSet(0, "subject", subject); | ||||||
|  |               if (A.supportsLatestFeatures()) | ||||||
|  |                 t1.$indexSet(0, "cc_email", ccEmail); | ||||||
|               $async$goto = 3; |               $async$goto = 3; | ||||||
|               return A._asyncAwait(B.C_WebClient.post$3$data(credentials.url + "/emails", credentials.token, B.C_JsonCodec.encode$1(A.LinkedHashMap_LinkedHashMap$_literal(["entity", A.S(credit.entityType), "entity_id", credit.id, "template", "email_template_" + A.S(template), "body", body, "subject", subject, "cc_email", ccEmail], t1, t1))), $async$emailCredit$6); |               return A._asyncAwait(B.C_WebClient.post$3$data(credentials.url + "/emails", credentials.token, B.C_JsonCodec.encode$1(t1)), $async$emailCredit$6); | ||||||
|             case 3: |             case 3: | ||||||
|               // returning from await.
 |               // returning from await.
 | ||||||
|               response = $async$result; |               response = $async$result; | ||||||
| @ -381914,7 +381934,7 @@ | |||||||
|     emailInvoice$body$InvoiceRepository(credentials, invoice, template, subject, body, ccEmail) { |     emailInvoice$body$InvoiceRepository(credentials, invoice, template, subject, body, ccEmail) { | ||||||
|       var $async$goto = 0, |       var $async$goto = 0, | ||||||
|         $async$completer = A._makeAsyncAwaitCompleter(type$.legacy_InvoiceEntity), |         $async$completer = A._makeAsyncAwaitCompleter(type$.legacy_InvoiceEntity), | ||||||
|         $async$returnValue, t1, response; |         $async$returnValue, response, t1; | ||||||
|       var $async$emailInvoice$6 = A._wrapJsFunctionForAsync(function($async$errorCode, $async$result) { |       var $async$emailInvoice$6 = A._wrapJsFunctionForAsync(function($async$errorCode, $async$result) { | ||||||
|         if ($async$errorCode === 1) |         if ($async$errorCode === 1) | ||||||
|           return A._asyncRethrow($async$result, $async$completer); |           return A._asyncRethrow($async$result, $async$completer); | ||||||
| @ -381923,8 +381943,16 @@ | |||||||
|             case 0: |             case 0: | ||||||
|               // Function start
 |               // Function start
 | ||||||
|               t1 = type$.legacy_String; |               t1 = type$.legacy_String; | ||||||
|  |               t1 = A.LinkedHashMap_LinkedHashMap$_empty(t1, t1); | ||||||
|  |               t1.$indexSet(0, "entity", A.S(invoice.entityType)); | ||||||
|  |               t1.$indexSet(0, "entity_id", invoice.id); | ||||||
|  |               t1.$indexSet(0, "template", "email_template_" + A.S(template)); | ||||||
|  |               t1.$indexSet(0, "body", body); | ||||||
|  |               t1.$indexSet(0, "subject", subject); | ||||||
|  |               if (A.supportsLatestFeatures()) | ||||||
|  |                 t1.$indexSet(0, "cc_email", ccEmail); | ||||||
|               $async$goto = 3; |               $async$goto = 3; | ||||||
|               return A._asyncAwait(B.C_WebClient.post$3$data(credentials.url + "/emails", credentials.token, B.C_JsonCodec.encode$1(A.LinkedHashMap_LinkedHashMap$_literal(["entity", A.S(invoice.entityType), "entity_id", invoice.id, "template", "email_template_" + A.S(template), "body", body, "subject", subject, "cc_email", ccEmail], t1, t1))), $async$emailInvoice$6); |               return A._asyncAwait(B.C_WebClient.post$3$data(credentials.url + "/emails", credentials.token, B.C_JsonCodec.encode$1(t1)), $async$emailInvoice$6); | ||||||
|             case 3: |             case 3: | ||||||
|               // returning from await.
 |               // returning from await.
 | ||||||
|               response = $async$result; |               response = $async$result; | ||||||
| @ -383135,7 +383163,7 @@ | |||||||
|     emailPurchaseOrder$body$PurchaseOrderRepository(credentials, purchaseOrder, template, subject, body, ccEmail) { |     emailPurchaseOrder$body$PurchaseOrderRepository(credentials, purchaseOrder, template, subject, body, ccEmail) { | ||||||
|       var $async$goto = 0, |       var $async$goto = 0, | ||||||
|         $async$completer = A._makeAsyncAwaitCompleter(type$.legacy_InvoiceEntity), |         $async$completer = A._makeAsyncAwaitCompleter(type$.legacy_InvoiceEntity), | ||||||
|         $async$returnValue, t1, response; |         $async$returnValue, response, t1; | ||||||
|       var $async$emailPurchaseOrder$6 = A._wrapJsFunctionForAsync(function($async$errorCode, $async$result) { |       var $async$emailPurchaseOrder$6 = A._wrapJsFunctionForAsync(function($async$errorCode, $async$result) { | ||||||
|         if ($async$errorCode === 1) |         if ($async$errorCode === 1) | ||||||
|           return A._asyncRethrow($async$result, $async$completer); |           return A._asyncRethrow($async$result, $async$completer); | ||||||
| @ -383144,8 +383172,16 @@ | |||||||
|             case 0: |             case 0: | ||||||
|               // Function start
 |               // Function start
 | ||||||
|               t1 = type$.legacy_String; |               t1 = type$.legacy_String; | ||||||
|  |               t1 = A.LinkedHashMap_LinkedHashMap$_empty(t1, t1); | ||||||
|  |               t1.$indexSet(0, "entity", A.S(purchaseOrder.entityType)); | ||||||
|  |               t1.$indexSet(0, "entity_id", purchaseOrder.id); | ||||||
|  |               t1.$indexSet(0, "template", "email_template_" + A.S(template)); | ||||||
|  |               t1.$indexSet(0, "body", body); | ||||||
|  |               t1.$indexSet(0, "subject", subject); | ||||||
|  |               if (A.supportsLatestFeatures()) | ||||||
|  |                 t1.$indexSet(0, "cc_email", ccEmail); | ||||||
|               $async$goto = 3; |               $async$goto = 3; | ||||||
|               return A._asyncAwait(B.C_WebClient.post$3$data(credentials.url + "/emails", credentials.token, B.C_JsonCodec.encode$1(A.LinkedHashMap_LinkedHashMap$_literal(["entity", A.S(purchaseOrder.entityType), "entity_id", purchaseOrder.id, "template", "email_template_" + A.S(template), "body", body, "subject", subject, "cc_email", ccEmail], t1, t1))), $async$emailPurchaseOrder$6); |               return A._asyncAwait(B.C_WebClient.post$3$data(credentials.url + "/emails", credentials.token, B.C_JsonCodec.encode$1(t1)), $async$emailPurchaseOrder$6); | ||||||
|             case 3: |             case 3: | ||||||
|               // returning from await.
 |               // returning from await.
 | ||||||
|               response = $async$result; |               response = $async$result; | ||||||
| @ -383373,7 +383409,7 @@ | |||||||
|     emailQuote$body$QuoteRepository(credentials, quote, template, subject, body, ccEmail) { |     emailQuote$body$QuoteRepository(credentials, quote, template, subject, body, ccEmail) { | ||||||
|       var $async$goto = 0, |       var $async$goto = 0, | ||||||
|         $async$completer = A._makeAsyncAwaitCompleter(type$.legacy_InvoiceEntity), |         $async$completer = A._makeAsyncAwaitCompleter(type$.legacy_InvoiceEntity), | ||||||
|         $async$returnValue, t1, response; |         $async$returnValue, response, t1; | ||||||
|       var $async$emailQuote$6 = A._wrapJsFunctionForAsync(function($async$errorCode, $async$result) { |       var $async$emailQuote$6 = A._wrapJsFunctionForAsync(function($async$errorCode, $async$result) { | ||||||
|         if ($async$errorCode === 1) |         if ($async$errorCode === 1) | ||||||
|           return A._asyncRethrow($async$result, $async$completer); |           return A._asyncRethrow($async$result, $async$completer); | ||||||
| @ -383382,8 +383418,16 @@ | |||||||
|             case 0: |             case 0: | ||||||
|               // Function start
 |               // Function start
 | ||||||
|               t1 = type$.legacy_String; |               t1 = type$.legacy_String; | ||||||
|  |               t1 = A.LinkedHashMap_LinkedHashMap$_empty(t1, t1); | ||||||
|  |               t1.$indexSet(0, "entity", A.S(quote.entityType)); | ||||||
|  |               t1.$indexSet(0, "entity_id", quote.id); | ||||||
|  |               t1.$indexSet(0, "template", "email_template_" + A.S(template)); | ||||||
|  |               t1.$indexSet(0, "body", body); | ||||||
|  |               t1.$indexSet(0, "subject", subject); | ||||||
|  |               if (A.supportsLatestFeatures()) | ||||||
|  |                 t1.$indexSet(0, "cc_email", ccEmail); | ||||||
|               $async$goto = 3; |               $async$goto = 3; | ||||||
|               return A._asyncAwait(B.C_WebClient.post$3$data(credentials.url + "/emails", credentials.token, B.C_JsonCodec.encode$1(A.LinkedHashMap_LinkedHashMap$_literal(["entity", A.S(quote.entityType), "entity_id", quote.id, "template", "email_template_" + A.S(template), "body", body, "subject", subject, "cc_email", ccEmail], t1, t1))), $async$emailQuote$6); |               return A._asyncAwait(B.C_WebClient.post$3$data(credentials.url + "/emails", credentials.token, B.C_JsonCodec.encode$1(t1)), $async$emailQuote$6); | ||||||
|             case 3: |             case 3: | ||||||
|               // returning from await.
 |               // returning from await.
 | ||||||
|               response = $async$result; |               response = $async$result; | ||||||
| @ -389468,7 +389512,7 @@ | |||||||
|       version = "v" + (t1 == null ? "" : t1); |       version = "v" + (t1 == null ? "" : t1); | ||||||
|       if (version.length !== 0) |       if (version.length !== 0) | ||||||
|         version += "-"; |         version += "-"; | ||||||
|       return B.JSString_methods.$add(version + A.getPlatformLetter(), B.JSArray_methods.get$last("5.0.110".split("."))); |       return B.JSString_methods.$add(version + A.getPlatformLetter(), B.JSArray_methods.get$last("5.0.113".split("."))); | ||||||
|     }, |     }, | ||||||
|     get$historyList() { |     get$historyList() { | ||||||
|       var _this = this, |       var _this = this, | ||||||
| @ -456092,11 +456136,14 @@ | |||||||
|       if ((t7 == null ? "" : t7).length !== 0) |       if ((t7 == null ? "" : t7).length !== 0) | ||||||
|         t9.push(A.DropdownMenuItem$(A.Text$(t1.get$thirdCustom(), _null, _null, _null, _null, _null, _null, _null, _null, _null), _null, B.EmailTemplate_custom3, t10)); |         t9.push(A.DropdownMenuItem$(A.Text$(t1.get$thirdCustom(), _null, _null, _null, _null, _null, _null, _null, _null, _null), _null, B.EmailTemplate_custom3, t10)); | ||||||
|       t1 = type$.JSArray_legacy_Widget; |       t1 = type$.JSArray_legacy_Widget; | ||||||
|       t10 = A.Row$(A._setArrayType([t5, new A.SizedBox(4, _null, _null, _null), new A.DropdownButtonHideUnderline(A.DropdownButton$(_null, _null, _null, 24, false, false, t9, t6, _null, _null, t4, t10), _null), new A.SizedBox(8, _null, _null, _null)], t1), B.CrossAxisAlignment_2, B.MainAxisAlignment_0, B.MainAxisSize_1, _null); |       t1 = A._setArrayType([A.Row$(A._setArrayType([t5, new A.SizedBox(4, _null, _null, _null), new A.DropdownButtonHideUnderline(A.DropdownButton$(_null, _null, _null, 24, false, false, t9, t6, _null, _null, t4, t10), _null), new A.SizedBox(8, _null, _null, _null)], t1), B.CrossAxisAlignment_2, B.MainAxisAlignment_0, B.MainAxisSize_1, _null)], t1); | ||||||
|       t2 = J.$index$asx(t3.$index(0, t2), _s8_); |       if (A.supportsLatestFeatures()) { | ||||||
|       if (t2 == null) |         t2 = J.$index$asx(t3.$index(0, t2), _s8_); | ||||||
|         t2 = J.$index$asx(t3.$index(0, "en"), _s8_); |         if (t2 == null) | ||||||
|       return new A.Padding(B.EdgeInsets_24_2_10_0, A.Column$(A._setArrayType([t10, A.DecoratedFormField$(false, _null, false, _this._ccEmailController, _null, true, _null, _null, _null, _null, false, false, _null, B.TextInputType_5_null_null, t2, _null, _null, false, _null, _null, _null, true, _null, _null, B.TextAlign_4, _null)], t1), B.CrossAxisAlignment_2, _null, B.MainAxisAlignment_0, B.MainAxisSize_1, B.VerticalDirection_1), _null); |           t2 = J.$index$asx(t3.$index(0, "en"), _s8_); | ||||||
|  |         t1.push(A.DecoratedFormField$(false, _null, false, _this._ccEmailController, _null, true, _null, _null, _null, _null, false, false, _null, B.TextInputType_5_null_null, t2, _null, _null, false, _null, _null, _null, true, _null, _null, B.TextAlign_4, _null)); | ||||||
|  |       } | ||||||
|  |       return new A.Padding(B.EdgeInsets_24_2_10_0, A.Column$(t1, B.CrossAxisAlignment_2, _null, B.MainAxisAlignment_0, B.MainAxisSize_1, B.VerticalDirection_1), _null); | ||||||
|     }, |     }, | ||||||
|     _buildPreview$1(context) { |     _buildPreview$1(context) { | ||||||
|       var t1, t2, t3, _this = this, _null = null; |       var t1, t2, t3, _this = this, _null = null; | ||||||
| @ -509261,10 +509308,13 @@ | |||||||
|       t20.push(_s10_); |       t20.push(_s10_); | ||||||
|       t20 = A.List_List$of(new A.MappedListIterable(t20, new A._InvoiceDesignState_build_closure59(), t2), true, t17); |       t20 = A.List_List$of(new A.MappedListIterable(t20, new A._InvoiceDesignState_build_closure59(), t2), true, t17); | ||||||
|       t21 = settings.getFieldsForSection$1(_s15_1); |       t21 = settings.getFieldsForSection$1(_s15_1); | ||||||
|       t21 = A.Expanded$(A.FormCard$(A.MultiSelectList$(t1.get$addField(), t20, false, true, new A._InvoiceDesignState_build_closure60(viewModel, settings), t5, "product", t21), _null, _null, _null, false, _null, false, _null, _null), 1); |       t21 = A._setArrayType([A.Expanded$(A.FormCard$(A.MultiSelectList$(t1.get$addField(), t20, false, true, new A._InvoiceDesignState_build_closure60(viewModel, settings), t5, "product", t21), _null, _null, _null, false, _null, false, _null, _null), 1)], t16); | ||||||
|       t6 = J.$index$asx(t4.$index(0, t6), _s27_); |       if (A.supportsLatestFeatures()) { | ||||||
|       t4 = A.Text$(t6 == null ? J.$index$asx(t4.$index(0, _s2_), _s27_) : t6, _null, _null, _null, _null, _null, _null, _null, _null, _null); |         t5 = J.$index$asx(t4.$index(0, t6), _s27_); | ||||||
|       t24.push(A.Column$(A._setArrayType([t21, A.FormCard$(A.SwitchListTile$(A.Theme_of(context).colorScheme.secondary, _null, new A._InvoiceDesignState_build_closure61(viewModel, settings), _null, _null, t4, !t9), _null, _null, _null, false, _null, true, _null, _null)], t16), B.CrossAxisAlignment_3, _null, B.MainAxisAlignment_0, B.MainAxisSize_1, B.VerticalDirection_1)); |         t4 = A.Text$(t5 == null ? J.$index$asx(t4.$index(0, _s2_), _s27_) : t5, _null, _null, _null, _null, _null, _null, _null, _null, _null); | ||||||
|  |         t21.push(A.FormCard$(A.SwitchListTile$(A.Theme_of(context).colorScheme.secondary, _null, new A._InvoiceDesignState_build_closure61(viewModel, settings), _null, _null, t4, !t9), _null, _null, _null, false, _null, true, _null, _null)); | ||||||
|  |       } | ||||||
|  |       t24.push(A.Column$(t21, B.CrossAxisAlignment_3, _null, B.MainAxisAlignment_0, B.MainAxisSize_1, B.VerticalDirection_1)); | ||||||
|       if (t9) { |       if (t9) { | ||||||
|         t4 = A._setArrayType(["item", "description"], t8); |         t4 = A._setArrayType(["item", "description"], t8); | ||||||
|         if (t15) |         if (t15) | ||||||
| @ -511002,15 +511052,17 @@ | |||||||
|           t1 = ""; |           t1 = ""; | ||||||
|         t10.push(new A.Padding(B.EdgeInsets_0_16_0_0, A.DecoratedFormField$(false, _null, false, _this._minimumUnderPaymentAmountController, _null, true, _null, _null, _null, _null, true, false, _null, new A.TextInputType(2, true, true), t1, _null, _null, false, _null, _null, _null, true, _null, _null, B.TextAlign_4, _null), _null)); |         t10.push(new A.Padding(B.EdgeInsets_0_16_0_0, A.DecoratedFormField$(false, _null, false, _this._minimumUnderPaymentAmountController, _null, true, _null, _null, _null, _null, true, false, _null, new A.TextInputType(2, true, true), t1, _null, _null, false, _null, _null, _null, true, _null, _null, B.TextAlign_4, _null), _null)); | ||||||
|       } |       } | ||||||
|       t1 = J.$index$asx(t2.$index(0, t3), _s25_); |       if (A.supportsLatestFeatures()) { | ||||||
|       if (t1 == null) |         t1 = J.$index$asx(t2.$index(0, t3), _s25_); | ||||||
|         t1 = J.$index$asx(t2.$index(0, _s2_), _s25_); |         if (t1 == null) | ||||||
|       t9 = settings.clientInitiatedPayments; |           t1 = J.$index$asx(t2.$index(0, _s2_), _s25_); | ||||||
|       t11 = J.$index$asx(t2.$index(0, t3), _s30_0); |         t9 = settings.clientInitiatedPayments; | ||||||
|       if (t11 == null) |         t11 = J.$index$asx(t2.$index(0, t3), _s30_0); | ||||||
|         t11 = J.$index$asx(t2.$index(0, _s2_), _s30_0); |         if (t11 == null) | ||||||
|       t10.push(A.BoolDropdownButton$(_null, _null, t11, _null, t1, _null, new A._PaymentSettingsState_build_closure10(viewModel, settings), t9)); |           t11 = J.$index$asx(t2.$index(0, _s2_), _s30_0); | ||||||
|       if (t9 === true) { |         t10.push(A.BoolDropdownButton$(_null, _null, t11, _null, t1, _null, new A._PaymentSettingsState_build_closure10(viewModel, settings), t9)); | ||||||
|  |       } | ||||||
|  |       if (settings.clientInitiatedPayments === true) { | ||||||
|         t1 = J.$index$asx(t2.$index(0, t3), _s22_); |         t1 = J.$index$asx(t2.$index(0, t3), _s22_); | ||||||
|         if (t1 == null) |         if (t1 == null) | ||||||
|           t1 = J.$index$asx(t2.$index(0, _s2_), _s22_); |           t1 = J.$index$asx(t2.$index(0, _s2_), _s22_); | ||||||
| @ -512671,19 +512723,22 @@ | |||||||
|         t13 = A.Text$(t13 == null ? J.$index$asx(t2.$index(0, _s2_), _s18_) : t13, _null, _null, _null, _null, _null, _null, _null, _null, _null); |         t13 = A.Text$(t13 == null ? J.$index$asx(t2.$index(0, _s2_), _s18_) : t13, _null, _null, _null, _null, _null, _null, _null, _null, _null); | ||||||
|         t14 = company.showTaskEndDate; |         t14 = company.showTaskEndDate; | ||||||
|         t15 = J.$index$asx(t2.$index(0, t3), _s23_); |         t15 = J.$index$asx(t2.$index(0, t3), _s23_); | ||||||
|         t12 = A.SwitchListTile$(t12.secondary, _null, new A._TaskSettingsState_build_closure0(viewModel, company), _null, A.Text$(t15 == null ? J.$index$asx(t2.$index(0, _s2_), _s23_) : t15, _null, _null, _null, _null, _null, _null, _null, _null, _null), t13, t14); |         t11 = A._setArrayType([new A.SizedBox(_null, 32, _null, _null), t11, A.SwitchListTile$(t12.secondary, _null, new A._TaskSettingsState_build_closure0(viewModel, company), _null, A.Text$(t15 == null ? J.$index$asx(t2.$index(0, _s2_), _s23_) : t15, _null, _null, _null, _null, _null, _null, _null, _null, _null), t13, t14)], t9); | ||||||
|         t13 = A.Theme_of(context).colorScheme; |         if (A.supportsLatestFeatures()) { | ||||||
|         t14 = J.$index$asx(t2.$index(0, t3), _s26_); |           t12 = A.Theme_of(context).colorScheme; | ||||||
|         t14 = A.Text$(t14 == null ? J.$index$asx(t2.$index(0, _s2_), _s26_) : t14, _null, _null, _null, _null, _null, _null, _null, _null, _null); |           t13 = J.$index$asx(t2.$index(0, t3), _s26_); | ||||||
|         t15 = settings.showTaskItemDescription; |           t13 = A.Text$(t13 == null ? J.$index$asx(t2.$index(0, _s2_), _s26_) : t13, _null, _null, _null, _null, _null, _null, _null, _null, _null); | ||||||
|         t16 = J.$index$asx(t2.$index(0, t3), _s31_); |           t14 = settings.showTaskItemDescription; | ||||||
|         t13 = A.SwitchListTile$(t13.secondary, _null, new A._TaskSettingsState_build_closure1(viewModel, settings), _null, A.Text$(t16 == null ? J.$index$asx(t2.$index(0, _s2_), _s31_) : t16, _null, _null, _null, _null, _null, _null, _null, _null, _null), t14, t15); |           t15 = J.$index$asx(t2.$index(0, t3), _s31_); | ||||||
|         t14 = A.Theme_of(context).colorScheme; |           t12 = A.SwitchListTile$(t12.secondary, _null, new A._TaskSettingsState_build_closure1(viewModel, settings), _null, A.Text$(t15 == null ? J.$index$asx(t2.$index(0, _s2_), _s31_) : t15, _null, _null, _null, _null, _null, _null, _null, _null, _null), t13, t14); | ||||||
|         t15 = J.$index$asx(t2.$index(0, t3), _s25_); |           t13 = A.Theme_of(context).colorScheme; | ||||||
|         t15 = A.Text$(t15 == null ? J.$index$asx(t2.$index(0, _s2_), _s25_) : t15, _null, _null, _null, _null, _null, _null, _null, _null, _null); |           t14 = J.$index$asx(t2.$index(0, t3), _s25_); | ||||||
|         t16 = settings.allowBillableTaskItems; |           t14 = A.Text$(t14 == null ? J.$index$asx(t2.$index(0, _s2_), _s25_) : t14, _null, _null, _null, _null, _null, _null, _null, _null, _null); | ||||||
|         t17 = J.$index$asx(t2.$index(0, t3), _s30_); |           t15 = settings.allowBillableTaskItems; | ||||||
|         B.JSArray_methods.addAll$1(t8, A._setArrayType([new A.SizedBox(_null, 32, _null, _null), t11, t12, t13, A.SwitchListTile$(t14.secondary, _null, new A._TaskSettingsState_build_closure2(viewModel, settings), _null, A.Text$(t17 == null ? J.$index$asx(t2.$index(0, _s2_), _s30_) : t17, _null, _null, _null, _null, _null, _null, _null, _null, _null), t15, t16)], t9)); |           t16 = J.$index$asx(t2.$index(0, t3), _s30_); | ||||||
|  |           B.JSArray_methods.addAll$1(t11, A._setArrayType([t12, A.SwitchListTile$(t13.secondary, _null, new A._TaskSettingsState_build_closure2(viewModel, settings), _null, A.Text$(t16 == null ? J.$index$asx(t2.$index(0, _s2_), _s30_) : t16, _null, _null, _null, _null, _null, _null, _null, _null, _null), t14, t15)], t9)); | ||||||
|  |         } | ||||||
|  |         B.JSArray_methods.addAll$1(t8, t11); | ||||||
|       } |       } | ||||||
|       t8 = A._setArrayType([A.FormCard$(_null, t8, _null, _null, false, _null, false, _null, _null)], t9); |       t8 = A._setArrayType([A.FormCard$(_null, t8, _null, _null, false, _null, false, _null, _null)], t9); | ||||||
|       if (t10) { |       if (t10) { | ||||||
| @ -564092,7 +564147,7 @@ | |||||||
|       return false; |       return false; | ||||||
|     }, |     }, | ||||||
|     $ge(_, o) { |     $ge(_, o) { | ||||||
|       return false; |       return o instanceof A.Version && A.Version__compare(this, o) >= 0; | ||||||
|     }, |     }, | ||||||
|     compareTo$1(_, other) { |     compareTo$1(_, other) { | ||||||
|       if (other == null) |       if (other == null) | ||||||
|  | |||||||
| @ -1 +1 @@ | |||||||
| {"app_name":"invoiceninja_flutter","version":"5.0.110","build_number":"110","package_name":"invoiceninja_flutter"} | {"app_name":"invoiceninja_flutter","version":"5.0.113","build_number":"113","package_name":"invoiceninja_flutter"} | ||||||
| @ -56,6 +56,8 @@ class RecurringInvoiceTest extends TestCase | |||||||
|         $this->makeTestData(); |         $this->makeTestData(); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|     public function testBulkIncreasePriceWithJob() |     public function testBulkIncreasePriceWithJob() | ||||||
|     { |     { | ||||||
| 
 | 
 | ||||||
| @ -91,6 +93,7 @@ class RecurringInvoiceTest extends TestCase | |||||||
|             'company_id' => $this->company->id, |             'company_id' => $this->company->id, | ||||||
|             'user_id' => $this->user->id, |             'user_id' => $this->user->id, | ||||||
|             'cost' => 20, |             'cost' => 20, | ||||||
|  |             'price' => 20, | ||||||
|             'product_key' => 'pink', |             'product_key' => 'pink', | ||||||
|         ]); |         ]); | ||||||
| 
 | 
 | ||||||
| @ -126,6 +129,7 @@ class RecurringInvoiceTest extends TestCase | |||||||
|             'company_id' => $this->company->id, |             'company_id' => $this->company->id, | ||||||
|             'user_id' => $this->user->id, |             'user_id' => $this->user->id, | ||||||
|             'cost' => 10, |             'cost' => 10, | ||||||
|  |             'price' => 10, | ||||||
|             'product_key' => 'pink', |             'product_key' => 'pink', | ||||||
|         ]); |         ]); | ||||||
| 
 | 
 | ||||||
| @ -150,6 +154,7 @@ class RecurringInvoiceTest extends TestCase | |||||||
|         $this->assertEquals(10, $recurring_invoice->amount); |         $this->assertEquals(10, $recurring_invoice->amount); | ||||||
| 
 | 
 | ||||||
|         $p->cost = 20; |         $p->cost = 20; | ||||||
|  |         $p->price = 20; | ||||||
|         $p->save(); |         $p->save(); | ||||||
| 
 | 
 | ||||||
|         $recurring_invoice->service()->updatePrice(); |         $recurring_invoice->service()->updatePrice(); | ||||||
| @ -173,6 +178,7 @@ class RecurringInvoiceTest extends TestCase | |||||||
|             'company_id' => $this->company->id, |             'company_id' => $this->company->id, | ||||||
|             'user_id' => $this->user->id, |             'user_id' => $this->user->id, | ||||||
|             'cost' => 10, |             'cost' => 10, | ||||||
|  |             'price' => 10, | ||||||
|             'product_key' => 'pink', |             'product_key' => 'pink', | ||||||
|         ]); |         ]); | ||||||
| 
 | 
 | ||||||
| @ -180,6 +186,7 @@ class RecurringInvoiceTest extends TestCase | |||||||
|             'company_id' => $this->company->id, |             'company_id' => $this->company->id, | ||||||
|             'user_id' => $this->user->id, |             'user_id' => $this->user->id, | ||||||
|             'cost' => 20, |             'cost' => 20, | ||||||
|  |             'price' => 20, | ||||||
|             'product_key' => 'floyd', |             'product_key' => 'floyd', | ||||||
|         ]); |         ]); | ||||||
| 
 | 
 | ||||||
| @ -218,9 +225,11 @@ class RecurringInvoiceTest extends TestCase | |||||||
|         $this->assertEquals(30, $recurring_invoice->amount); |         $this->assertEquals(30, $recurring_invoice->amount); | ||||||
| 
 | 
 | ||||||
|         $p1->cost = 20; |         $p1->cost = 20; | ||||||
|  |         $p1->price = 20; | ||||||
|         $p1->save(); |         $p1->save(); | ||||||
| 
 | 
 | ||||||
|         $p2->cost = 40; |         $p2->cost = 40; | ||||||
|  |         $p2->price = 40; | ||||||
|         $p2->save(); |         $p2->save(); | ||||||
| 
 | 
 | ||||||
|         $recurring_invoice->service()->updatePrice(); |         $recurring_invoice->service()->updatePrice(); | ||||||
| @ -561,4 +570,5 @@ class RecurringInvoiceTest extends TestCase | |||||||
| 
 | 
 | ||||||
|         $this->assertEquals(null, $invoice->subscription_id); |         $this->assertEquals(null, $invoice->subscription_id); | ||||||
|     } |     } | ||||||
|  |      | ||||||
| } | } | ||||||
|  | |||||||
| @ -11,12 +11,21 @@ | |||||||
| 
 | 
 | ||||||
| namespace Tests\Unit; | namespace Tests\Unit; | ||||||
| 
 | 
 | ||||||
| use App\Factory\RecurringInvoiceFactory; |  | ||||||
| use App\Models\RecurringInvoice; |  | ||||||
| use Illuminate\Foundation\Testing\DatabaseTransactions; |  | ||||||
| use Illuminate\Support\Carbon; |  | ||||||
| use Tests\MockAccountData; |  | ||||||
| use Tests\TestCase; | use Tests\TestCase; | ||||||
|  | use App\Models\User; | ||||||
|  | use App\Models\Client; | ||||||
|  | use App\Models\Account; | ||||||
|  | use App\Models\Company; | ||||||
|  | use Tests\MockAccountData; | ||||||
|  | use App\Models\ClientContact; | ||||||
|  | use Illuminate\Support\Carbon; | ||||||
|  | use App\Utils\Traits\MakesHash; | ||||||
|  | use App\Models\RecurringInvoice; | ||||||
|  | use App\DataMapper\CompanySettings; | ||||||
|  | use App\DataMapper\DefaultSettings; | ||||||
|  | use App\Factory\RecurringInvoiceFactory; | ||||||
|  | use App\Factory\InvoiceToRecurringInvoiceFactory; | ||||||
|  | use Illuminate\Foundation\Testing\DatabaseTransactions; | ||||||
| 
 | 
 | ||||||
| /** | /** | ||||||
|  * @test |  * @test | ||||||
| @ -24,6 +33,7 @@ use Tests\TestCase; | |||||||
|  */ |  */ | ||||||
| class RecurringDatesTest extends TestCase | class RecurringDatesTest extends TestCase | ||||||
| { | { | ||||||
|  |     use MakesHash; | ||||||
|     use MockAccountData; |     use MockAccountData; | ||||||
|     use DatabaseTransactions; |     use DatabaseTransactions; | ||||||
| 
 | 
 | ||||||
| @ -34,6 +44,518 @@ class RecurringDatesTest extends TestCase | |||||||
|         $this->makeTestData(); |         $this->makeTestData(); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  | 
 | ||||||
|  |     public function testDailyFrequencyCalc6() | ||||||
|  |     { | ||||||
|  |         $this->travelTo(now()->subHours(8)); | ||||||
|  | 
 | ||||||
|  |         $account = Account::factory()->create(); | ||||||
|  | 
 | ||||||
|  |         $settings = CompanySettings::defaults(); | ||||||
|  |         $settings->entity_send_time = '1'; | ||||||
|  |         $settings->timezone_id = '113'; | ||||||
|  | 
 | ||||||
|  |         $company = Company::factory()->create([ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'settings' => $settings, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $account->default_company_id = $company->id; | ||||||
|  |         $account->save(); | ||||||
|  | 
 | ||||||
|  |         $user = User::factory()->create([ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'confirmation_code' => $this->createDbHash(config('database.default')), | ||||||
|  |             'email' => 'whiz@gmail.com', | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $userPermissions = collect([ | ||||||
|  |             'view_invoice', | ||||||
|  |             'view_client', | ||||||
|  |             'edit_client', | ||||||
|  |             'edit_invoice', | ||||||
|  |             'create_invoice', | ||||||
|  |             'create_client', | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $userSettings = DefaultSettings::userSettings(); | ||||||
|  | 
 | ||||||
|  |         $user->companies()->attach($company->id, [ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'is_owner' => 1, | ||||||
|  |             'is_admin' => 1, | ||||||
|  |             'notifications' => CompanySettings::notificationDefaults(), | ||||||
|  |             'permissions' => $userPermissions->toJson(), | ||||||
|  |             'settings' => json_encode($userSettings), | ||||||
|  |             'is_locked' => 0, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $client = Client::factory()->create(['user_id' => $user->id, 'company_id' => $company->id]); | ||||||
|  | 
 | ||||||
|  |         ClientContact::factory()->create([ | ||||||
|  |                 'user_id' => $user->id, | ||||||
|  |                 'client_id' => $client->id, | ||||||
|  |                 'company_id' => $company->id, | ||||||
|  |                 'is_primary' => 1, | ||||||
|  |             ]); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice = RecurringInvoice::factory()->create([ | ||||||
|  |             'user_id' => $user->id,  | ||||||
|  |             'company_id' => $company->id,  | ||||||
|  |             'client_id' => $client->id, | ||||||
|  |             'frequency_id' => RecurringInvoice::FREQUENCY_DAILY, | ||||||
|  |             'next_send_date' => now()->format('Y-m-d'), | ||||||
|  |             'next_send_date_client' => now()->format('Y-m-d'), | ||||||
|  |             'date' => now()->format('Y-m-d'), | ||||||
|  |             'remaining_cycles' => -1, | ||||||
|  |             'status_id' => 1, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice->service()->start()->save(); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals('1', $client->getSetting('entity_send_time')); | ||||||
|  |         $this->assertEquals('113', $client->getSetting('timezone_id')); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals(now()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date)->format('Y-m-d')); | ||||||
|  |         $this->assertEquals(now()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date_client)->format('Y-m-d')); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice->next_send_date = $recurring_invoice->nextSendDate(); | ||||||
|  |         $recurring_invoice->next_send_date_client = $recurring_invoice->nextSendDateClient(); | ||||||
|  |         $recurring_invoice->save(); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals(now()->startOfDay()->addDay()->addSeconds($client->timezone_offset()), Carbon::parse($recurring_invoice->next_send_date)); | ||||||
|  |         $this->assertEquals(now()->addDay()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date_client)->format('Y-m-d')); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice->next_send_date = $recurring_invoice->nextSendDate(); | ||||||
|  |         $recurring_invoice->next_send_date_client = $recurring_invoice->nextSendDateClient(); | ||||||
|  |         $recurring_invoice->save(); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals(now()->startOfDay()->addDays(2)->addSeconds($client->timezone_offset()), Carbon::parse($recurring_invoice->next_send_date)); | ||||||
|  |         $this->assertEquals(now()->addDays(2)->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date_client)->format('Y-m-d')); | ||||||
|  | 
 | ||||||
|  |         $this->travelBack(); | ||||||
|  | 
 | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     public function testDailyFrequencyCalc5() | ||||||
|  |     { | ||||||
|  |          | ||||||
|  |         $account = Account::factory()->create(); | ||||||
|  | 
 | ||||||
|  |         $settings = CompanySettings::defaults(); | ||||||
|  |         $settings->entity_send_time = '23'; | ||||||
|  |         $settings->timezone_id = '113'; | ||||||
|  | 
 | ||||||
|  |         $company = Company::factory()->create([ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'settings' => $settings, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $account->default_company_id = $company->id; | ||||||
|  |         $account->save(); | ||||||
|  | 
 | ||||||
|  |         $user = User::factory()->create([ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'confirmation_code' => $this->createDbHash(config('database.default')), | ||||||
|  |             'email' => 'whiz@gmail.com', | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $userPermissions = collect([ | ||||||
|  |             'view_invoice', | ||||||
|  |             'view_client', | ||||||
|  |             'edit_client', | ||||||
|  |             'edit_invoice', | ||||||
|  |             'create_invoice', | ||||||
|  |             'create_client', | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $userSettings = DefaultSettings::userSettings(); | ||||||
|  | 
 | ||||||
|  |         $user->companies()->attach($company->id, [ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'is_owner' => 1, | ||||||
|  |             'is_admin' => 1, | ||||||
|  |             'notifications' => CompanySettings::notificationDefaults(), | ||||||
|  |             'permissions' => $userPermissions->toJson(), | ||||||
|  |             'settings' => json_encode($userSettings), | ||||||
|  |             'is_locked' => 0, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $client = Client::factory()->create(['user_id' => $user->id, 'company_id' => $company->id]); | ||||||
|  | 
 | ||||||
|  |         ClientContact::factory()->create([ | ||||||
|  |                 'user_id' => $user->id, | ||||||
|  |                 'client_id' => $client->id, | ||||||
|  |                 'company_id' => $company->id, | ||||||
|  |                 'is_primary' => 1, | ||||||
|  |             ]); | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice = RecurringInvoice::factory()->create([ | ||||||
|  |             'user_id' => $user->id,  | ||||||
|  |             'company_id' => $company->id,  | ||||||
|  |             'client_id' => $client->id, | ||||||
|  |             'frequency_id' => RecurringInvoice::FREQUENCY_DAILY, | ||||||
|  |             'next_send_date' => now()->format('Y-m-d'), | ||||||
|  |             'next_send_date_client' => now()->format('Y-m-d'), | ||||||
|  |             'date' => now()->format('Y-m-d'), | ||||||
|  |             'remaining_cycles' => -1, | ||||||
|  |             'status_id' => 1, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice->service()->start()->save(); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals('23', $client->getSetting('entity_send_time')); | ||||||
|  |         $this->assertEquals('113', $client->getSetting('timezone_id')); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals(now()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date)->format('Y-m-d')); | ||||||
|  |         $this->assertEquals(now()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date_client)->format('Y-m-d')); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice->next_send_date = $recurring_invoice->nextSendDate(); | ||||||
|  |         $recurring_invoice->next_send_date_client = $recurring_invoice->nextSendDateClient(); | ||||||
|  |         $recurring_invoice->save(); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals(now()->startOfDay()->addDay()->addSeconds($client->timezone_offset()), Carbon::parse($recurring_invoice->next_send_date)); | ||||||
|  |         $this->assertEquals(now()->addDay()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date_client)->format('Y-m-d')); | ||||||
|  | 
 | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     public function testDailyFrequencyCalc4() | ||||||
|  |     { | ||||||
|  |          | ||||||
|  |         $account = Account::factory()->create(); | ||||||
|  | 
 | ||||||
|  |         $settings = CompanySettings::defaults(); | ||||||
|  |         $settings->entity_send_time = '6'; | ||||||
|  |         $settings->timezone_id = '1'; | ||||||
|  | 
 | ||||||
|  |         $company = Company::factory()->create([ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'settings' => $settings, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $account->default_company_id = $company->id; | ||||||
|  |         $account->save(); | ||||||
|  | 
 | ||||||
|  |         $user = User::factory()->create([ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'confirmation_code' => $this->createDbHash(config('database.default')), | ||||||
|  |             'email' => 'whiz@gmail.com', | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $userPermissions = collect([ | ||||||
|  |             'view_invoice', | ||||||
|  |             'view_client', | ||||||
|  |             'edit_client', | ||||||
|  |             'edit_invoice', | ||||||
|  |             'create_invoice', | ||||||
|  |             'create_client', | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $userSettings = DefaultSettings::userSettings(); | ||||||
|  | 
 | ||||||
|  |         $user->companies()->attach($company->id, [ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'is_owner' => 1, | ||||||
|  |             'is_admin' => 1, | ||||||
|  |             'notifications' => CompanySettings::notificationDefaults(), | ||||||
|  |             'permissions' => $userPermissions->toJson(), | ||||||
|  |             'settings' => json_encode($userSettings), | ||||||
|  |             'is_locked' => 0, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $client = Client::factory()->create(['user_id' => $user->id, 'company_id' => $company->id]); | ||||||
|  | 
 | ||||||
|  |         ClientContact::factory()->create([ | ||||||
|  |                 'user_id' => $user->id, | ||||||
|  |                 'client_id' => $client->id, | ||||||
|  |                 'company_id' => $company->id, | ||||||
|  |                 'is_primary' => 1, | ||||||
|  |             ]); | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice = RecurringInvoice::factory()->create([ | ||||||
|  |             'user_id' => $user->id,  | ||||||
|  |             'company_id' => $company->id,  | ||||||
|  |             'client_id' => $client->id, | ||||||
|  |             'frequency_id' => RecurringInvoice::FREQUENCY_DAILY, | ||||||
|  |             'next_send_date' => now()->format('Y-m-d'), | ||||||
|  |             'next_send_date_client' => now()->format('Y-m-d'), | ||||||
|  |             'date' => now()->format('Y-m-d'), | ||||||
|  |             'remaining_cycles' => -1, | ||||||
|  |             'status_id' => 1, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice->service()->start()->save(); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals('6', $client->getSetting('entity_send_time')); | ||||||
|  |         $this->assertEquals('1', $client->getSetting('timezone_id')); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals(now()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date)->format('Y-m-d')); | ||||||
|  |         $this->assertEquals(now()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date_client)->format('Y-m-d')); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice->next_send_date = $recurring_invoice->nextSendDate(); | ||||||
|  |         $recurring_invoice->next_send_date_client = $recurring_invoice->nextSendDateClient(); | ||||||
|  |         $recurring_invoice->save(); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals(now()->startOfDay()->addDay()->addSeconds($client->timezone_offset()), Carbon::parse($recurring_invoice->next_send_date)); | ||||||
|  |         $this->assertEquals(now()->addDay()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date_client)->format('Y-m-d')); | ||||||
|  | 
 | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     public function testDailyFrequencyCalc3() | ||||||
|  |     { | ||||||
|  |          | ||||||
|  |         $account = Account::factory()->create(); | ||||||
|  | 
 | ||||||
|  |         $settings = CompanySettings::defaults(); | ||||||
|  |         $settings->entity_send_time = '1'; | ||||||
|  |         $settings->timezone_id = '1'; | ||||||
|  | 
 | ||||||
|  |         $company = Company::factory()->create([ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'settings' => $settings, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $account->default_company_id = $company->id; | ||||||
|  |         $account->save(); | ||||||
|  | 
 | ||||||
|  |         $user = User::factory()->create([ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'confirmation_code' => $this->createDbHash(config('database.default')), | ||||||
|  |             'email' => 'whiz@gmail.com', | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $userPermissions = collect([ | ||||||
|  |             'view_invoice', | ||||||
|  |             'view_client', | ||||||
|  |             'edit_client', | ||||||
|  |             'edit_invoice', | ||||||
|  |             'create_invoice', | ||||||
|  |             'create_client', | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $userSettings = DefaultSettings::userSettings(); | ||||||
|  | 
 | ||||||
|  |         $user->companies()->attach($company->id, [ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'is_owner' => 1, | ||||||
|  |             'is_admin' => 1, | ||||||
|  |             'notifications' => CompanySettings::notificationDefaults(), | ||||||
|  |             'permissions' => $userPermissions->toJson(), | ||||||
|  |             'settings' => json_encode($userSettings), | ||||||
|  |             'is_locked' => 0, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $client = Client::factory()->create(['user_id' => $user->id, 'company_id' => $company->id]); | ||||||
|  | 
 | ||||||
|  |         ClientContact::factory()->create([ | ||||||
|  |                 'user_id' => $user->id, | ||||||
|  |                 'client_id' => $client->id, | ||||||
|  |                 'company_id' => $company->id, | ||||||
|  |                 'is_primary' => 1, | ||||||
|  |             ]); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals('1', $client->getSetting('entity_send_time')); | ||||||
|  |         $this->assertEquals('1', $client->getSetting('timezone_id')); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice = RecurringInvoice::factory()->create([ | ||||||
|  |             'user_id' => $user->id, | ||||||
|  |             'company_id' => $company->id, | ||||||
|  |             'client_id' => $client->id, | ||||||
|  |             'frequency_id' => RecurringInvoice::FREQUENCY_DAILY, | ||||||
|  |             'next_send_date' => now()->format('Y-m-d'), | ||||||
|  |             'next_send_date_client' => now()->format('Y-m-d'), | ||||||
|  |             'date' => now()->format('Y-m-d'), | ||||||
|  |             'remaining_cycles' => -1, | ||||||
|  |             'status_id' => 1, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice->service()->start()->save(); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals(now()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date)->format('Y-m-d')); | ||||||
|  |         $this->assertEquals(now()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date_client)->format('Y-m-d')); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice->next_send_date = $recurring_invoice->nextSendDate(); | ||||||
|  |         $recurring_invoice->next_send_date_client = $recurring_invoice->nextSendDateClient(); | ||||||
|  |         $recurring_invoice->save(); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals(now()->startOfDay()->addDay()->addSeconds($client->timezone_offset()), Carbon::parse($recurring_invoice->next_send_date)); | ||||||
|  |         $this->assertEquals(now()->addDay()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date_client)->format('Y-m-d')); | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     public function testDailyFrequencyCalc2() | ||||||
|  |     { | ||||||
|  |                $account = Account::factory()->create(); | ||||||
|  | 
 | ||||||
|  |         $settings = CompanySettings::defaults(); | ||||||
|  |         $settings->entity_send_time = '23'; | ||||||
|  |         $settings->timezone_id = '113'; | ||||||
|  | 
 | ||||||
|  |         $company = Company::factory()->create([ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'settings' => $settings, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $account->default_company_id = $company->id; | ||||||
|  |         $account->save(); | ||||||
|  | 
 | ||||||
|  |         $user = User::factory()->create([ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'confirmation_code' => $this->createDbHash(config('database.default')), | ||||||
|  |             'email' => 'whiz@gmail.com', | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $userPermissions = collect([ | ||||||
|  |             'view_invoice', | ||||||
|  |             'view_client', | ||||||
|  |             'edit_client', | ||||||
|  |             'edit_invoice', | ||||||
|  |             'create_invoice', | ||||||
|  |             'create_client', | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $userSettings = DefaultSettings::userSettings(); | ||||||
|  | 
 | ||||||
|  |         $user->companies()->attach($company->id, [ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'is_owner' => 1, | ||||||
|  |             'is_admin' => 1, | ||||||
|  |             'notifications' => CompanySettings::notificationDefaults(), | ||||||
|  |             'permissions' => $userPermissions->toJson(), | ||||||
|  |             'settings' => json_encode($userSettings), | ||||||
|  |             'is_locked' => 0, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $client = Client::factory()->create(['user_id' => $user->id, 'company_id' => $company->id]); | ||||||
|  | 
 | ||||||
|  |         ClientContact::factory()->create([ | ||||||
|  |                 'user_id' => $user->id, | ||||||
|  |                 'client_id' => $client->id, | ||||||
|  |                 'company_id' => $company->id, | ||||||
|  |                 'is_primary' => 1, | ||||||
|  |             ]); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals('23', $client->getSetting('entity_send_time')); | ||||||
|  |         $this->assertEquals('113', $client->getSetting('timezone_id')); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice = RecurringInvoice::factory()->create([ | ||||||
|  |             'user_id' => $user->id, | ||||||
|  |             'company_id' => $company->id, | ||||||
|  |             'client_id' => $client->id, | ||||||
|  |             'frequency_id' => RecurringInvoice::FREQUENCY_DAILY, | ||||||
|  |             'next_send_date' => now()->format('Y-m-d'), | ||||||
|  |             'next_send_date_client' => now()->format('Y-m-d'), | ||||||
|  |             'date' => now()->format('Y-m-d'), | ||||||
|  |             'remaining_cycles' => -1, | ||||||
|  |             'status_id' => 1, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice->service()->start()->save(); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals(now()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date)->format('Y-m-d')); | ||||||
|  |         $this->assertEquals(now()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date_client)->format('Y-m-d')); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice->next_send_date = $recurring_invoice->nextSendDate(); | ||||||
|  |         $recurring_invoice->next_send_date_client = $recurring_invoice->nextSendDateClient(); | ||||||
|  |         $recurring_invoice->save(); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals(now()->startOfDay()->addDay()->addSeconds($client->timezone_offset()), Carbon::parse($recurring_invoice->next_send_date)); | ||||||
|  |         $this->assertEquals(now()->addDay()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date_client)->format('Y-m-d')); | ||||||
|  | 
 | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     public function testDailyFrequencyCalc() | ||||||
|  |     { | ||||||
|  |         $account = Account::factory()->create(); | ||||||
|  | 
 | ||||||
|  |         $settings = CompanySettings::defaults(); | ||||||
|  |         $settings->entity_send_time = '1'; | ||||||
|  |         $settings->timezone_id = '113'; | ||||||
|  | 
 | ||||||
|  |         $company = Company::factory()->create([ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'settings' => $settings, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $account->default_company_id = $company->id; | ||||||
|  |         $account->save(); | ||||||
|  | 
 | ||||||
|  |         $user = User::factory()->create([ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'confirmation_code' => $this->createDbHash(config('database.default')), | ||||||
|  |             'email' => 'whiz@gmail.com', | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $userPermissions = collect([ | ||||||
|  |             'view_invoice', | ||||||
|  |             'view_client', | ||||||
|  |             'edit_client', | ||||||
|  |             'edit_invoice', | ||||||
|  |             'create_invoice', | ||||||
|  |             'create_client', | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $userSettings = DefaultSettings::userSettings(); | ||||||
|  | 
 | ||||||
|  |         $user->companies()->attach($company->id, [ | ||||||
|  |             'account_id' => $account->id, | ||||||
|  |             'is_owner' => 1, | ||||||
|  |             'is_admin' => 1, | ||||||
|  |             'notifications' => CompanySettings::notificationDefaults(), | ||||||
|  |             'permissions' => $userPermissions->toJson(), | ||||||
|  |             'settings' => json_encode($userSettings), | ||||||
|  |             'is_locked' => 0, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $client = Client::factory()->create(['user_id' => $user->id, 'company_id' => $company->id]); | ||||||
|  | 
 | ||||||
|  |         ClientContact::factory()->create([ | ||||||
|  |                 'user_id' => $user->id, | ||||||
|  |                 'client_id' => $client->id, | ||||||
|  |                 'company_id' => $company->id, | ||||||
|  |                 'is_primary' => 1, | ||||||
|  |             ]); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals('1', $client->getSetting('entity_send_time')); | ||||||
|  |         $this->assertEquals('113', $client->getSetting('timezone_id')); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice = RecurringInvoice::factory()->create([ | ||||||
|  |             'user_id' => $user->id, | ||||||
|  |             'company_id' => $company->id, | ||||||
|  |             'client_id' => $client->id, | ||||||
|  |             'frequency_id' => RecurringInvoice::FREQUENCY_DAILY, | ||||||
|  |             'next_send_date' => now()->format('Y-m-d'), | ||||||
|  |             'next_send_date_client' => now()->format('Y-m-d'), | ||||||
|  |             'date' => now()->format('Y-m-d'), | ||||||
|  |             'remaining_cycles' => -1, | ||||||
|  |             'status_id' => 1, | ||||||
|  |         ]); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice->service()->start()->save(); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals(now()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date)->format('Y-m-d')); | ||||||
|  |         $this->assertEquals(now()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date_client)->format('Y-m-d')); | ||||||
|  | 
 | ||||||
|  |         $recurring_invoice->next_send_date = $recurring_invoice->nextSendDate(); | ||||||
|  |         $recurring_invoice->next_send_date_client = $recurring_invoice->nextSendDateClient(); | ||||||
|  |         $recurring_invoice->save(); | ||||||
|  | 
 | ||||||
|  |         $this->assertEquals(now()->startOfDay()->addDay()->addSeconds($client->timezone_offset()), Carbon::parse($recurring_invoice->next_send_date)); | ||||||
|  |         $this->assertEquals(now()->addDay()->format('Y-m-d'), Carbon::parse($recurring_invoice->next_send_date_client)->format('Y-m-d')); | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     public function testRecurringDatesDraftInvoice() |     public function testRecurringDatesDraftInvoice() | ||||||
|     { |     { | ||||||
|         $recurring_invoice = RecurringInvoiceFactory::create($this->company->id, $this->user->id); |         $recurring_invoice = RecurringInvoiceFactory::create($this->company->id, $this->user->id); | ||||||
|  | |||||||
		Loading…
	
	
			
			x
			
			
		
	
		Reference in New Issue
	
	Block a user