From c100e2c4f3058a32a96b880049d54275a4e5604f Mon Sep 17 00:00:00 2001 From: David Bomba Date: Fri, 21 Apr 2023 17:24:56 +1000 Subject: [PATCH 01/14] Add stubs for FatturaPA --- app/Services/Invoice/EInvoice/FatturaPA.php | 140 ++++++++++++++++++++ 1 file changed, 140 insertions(+) create mode 100644 app/Services/Invoice/EInvoice/FatturaPA.php diff --git a/app/Services/Invoice/EInvoice/FatturaPA.php b/app/Services/Invoice/EInvoice/FatturaPA.php new file mode 100644 index 0000000000..a7a523ec19 --- /dev/null +++ b/app/Services/Invoice/EInvoice/FatturaPA.php @@ -0,0 +1,140 @@ + + + + + + IT + 01234567890 + + 00001 + FPR12 + ABCDE1 + + + + + + + + + + + + TD01 + EUR + 2023-04-21 + 1 + + + + + + + + + + + + +*/ + +class FatturaPA extends AbstractService +{ + private $xml; + + public function __construct(public Invoice $invoice) + { + $this->xml = new SimpleXMLElement(''); + } + + public function run() + { + + } + + public function addHeader() { + $this->xml->addChild('FatturaElettronicaHeader'); + return $this; + } + + public function addTrasmissioneData($idPaese, $idCodice, $progressivoInvio, $formatoTrasmissione, $codiceDestinatario) { + $datiTrasmissione = $this->xml->FatturaElettronicaHeader->addChild('DatiTrasmissione'); + $idTrasmittente = $datiTrasmissione->addChild('IdTrasmittente'); + $idTrasmittente->addChild('IdPaese', $idPaese); + $idTrasmittente->addChild('IdCodice', $idCodice); + $datiTrasmissione->addChild('ProgressivoInvio', $progressivoInvio); + $datiTrasmissione->addChild('FormatoTrasmissione', $formatoTrasmissione); + $datiTrasmissione->addChild('CodiceDestinatario', $codiceDestinatario); + return $this; + } + + public function addCedentePrestatore($data) { + // Add CedentePrestatore data + } + + public function addCessionarioCommittente($data) { + // Add CessionarioCommittente data + } + + public function addBody() { + $this->xml->addChild('FatturaElettronicaBody'); + return $this; + } + + public function addDatiGenerali($data) { + // Add DatiGenerali data + } + + public function addLineItem($data) { + if (!isset($this->xml->FatturaElettronicaBody->DatiBeniServizi)) { + $this->xml->FatturaElettronicaBody->addChild('DatiBeniServizi'); + } + $lineItem = $this->xml->FatturaElettronicaBody->DatiBeniServizi->addChild('DettaglioLinee'); + $lineItem->addChild('NumeroLinea', $data['NumeroLinea']); + $lineItem->addChild('Descrizione', $data['Descrizione']); + $lineItem->addChild('Quantita', $data['Quantita']); + $lineItem->addChild('PrezzoUnitario', $data['PrezzoUnitario']); + $lineItem->addChild('PrezzoTotale', $data['PrezzoTotale']); + $lineItem->addChild('AliquotaIVA', $data['AliquotaIVA']); + + if (isset($data['UnitaMisura'])) { + $lineItem->addChild('UnitaMisura', $data['UnitaMisura']); + } + + return $this; + } + + public function addDatiPagamento($data) { + // Add DatiPagamento data + } + + + public function getXml() + { + return $this->xml->asXML(); + } +} + +// $fattura = new FatturaPA(); +// $fattura +// ->addHeader() +// ->addTrasmissioneData('IT', '01234567890', '00001', 'FPR12', 'ABCDE1'); + +// echo $fattura->getXml(); From 05c7858ae1fe582aa48241a05f7a41701f0ecc42 Mon Sep 17 00:00:00 2001 From: David Bomba Date: Fri, 21 Apr 2023 17:30:12 +1000 Subject: [PATCH 02/14] Tests for FatturaPA --- app/Services/Invoice/EInvoice/FatturaPA.php | 12 +++--- tests/Feature/EInvoice/FatturaPATest.php | 48 +++++++++++++++++++++ 2 files changed, 54 insertions(+), 6 deletions(-) create mode 100644 tests/Feature/EInvoice/FatturaPATest.php diff --git a/app/Services/Invoice/EInvoice/FatturaPA.php b/app/Services/Invoice/EInvoice/FatturaPA.php index a7a523ec19..9d2dbe69a2 100644 --- a/app/Services/Invoice/EInvoice/FatturaPA.php +++ b/app/Services/Invoice/EInvoice/FatturaPA.php @@ -66,7 +66,7 @@ class FatturaPA extends AbstractService public function run() { - + return $this->addHeader()->getXml(); } public function addHeader() { @@ -108,11 +108,11 @@ class FatturaPA extends AbstractService } $lineItem = $this->xml->FatturaElettronicaBody->DatiBeniServizi->addChild('DettaglioLinee'); $lineItem->addChild('NumeroLinea', $data['NumeroLinea']); - $lineItem->addChild('Descrizione', $data['Descrizione']); - $lineItem->addChild('Quantita', $data['Quantita']); - $lineItem->addChild('PrezzoUnitario', $data['PrezzoUnitario']); - $lineItem->addChild('PrezzoTotale', $data['PrezzoTotale']); - $lineItem->addChild('AliquotaIVA', $data['AliquotaIVA']); + $lineItem->addChild('Descrizione', $data['notes']); + $lineItem->addChild('Quantita', $data['quantity']); + $lineItem->addChild('PrezzoUnitario', $data['cost']); + $lineItem->addChild('PrezzoTotale', $data['line_total']); + $lineItem->addChild('AliquotaIVA', $data['tax_rate1']); if (isset($data['UnitaMisura'])) { $lineItem->addChild('UnitaMisura', $data['UnitaMisura']); diff --git a/tests/Feature/EInvoice/FatturaPATest.php b/tests/Feature/EInvoice/FatturaPATest.php new file mode 100644 index 0000000000..fbbf810e3e --- /dev/null +++ b/tests/Feature/EInvoice/FatturaPATest.php @@ -0,0 +1,48 @@ +makeTestData(); + + $this->withoutMiddleware( + ThrottleRequests::class + ); + } + + public function testInvoiceBoot() + { + $fat = new FatturaPA($this->invoice); + $xml = $fat->run(); + + nlog($xml); + + $this->assertnotNull($xml); + } +} \ No newline at end of file From 7822c002aab82cd3e17cd87f6b7076ae7bd272e7 Mon Sep 17 00:00:00 2001 From: David Bomba Date: Fri, 21 Apr 2023 17:30:25 +1000 Subject: [PATCH 03/14] Tests for FatturaPA --- tests/Feature/EInvoice/FatturaPATest.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tests/Feature/EInvoice/FatturaPATest.php b/tests/Feature/EInvoice/FatturaPATest.php index fbbf810e3e..2c76c1ca51 100644 --- a/tests/Feature/EInvoice/FatturaPATest.php +++ b/tests/Feature/EInvoice/FatturaPATest.php @@ -41,7 +41,7 @@ class FatturaPATest extends TestCase $fat = new FatturaPA($this->invoice); $xml = $fat->run(); - nlog($xml); + // nlog($xml); $this->assertnotNull($xml); } From 88bb2025e03c356406b0d5a0b697085d6af8d211 Mon Sep 17 00:00:00 2001 From: David Bomba Date: Fri, 21 Apr 2023 17:38:05 +1000 Subject: [PATCH 04/14] Memory saving for self updater --- app/Http/Controllers/SelfUpdateController.php | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/app/Http/Controllers/SelfUpdateController.php b/app/Http/Controllers/SelfUpdateController.php index 7e29f90991..c7cdb99881 100644 --- a/app/Http/Controllers/SelfUpdateController.php +++ b/app/Http/Controllers/SelfUpdateController.php @@ -162,6 +162,9 @@ class SelfUpdateController extends BaseController $this->deleteDirectory(base_path('vendor/beganovich/snappdf/versions/'.$file->getFileName())); } } + + $iterator = null; + } private function deleteDirectory($dir) @@ -206,6 +209,8 @@ class SelfUpdateController extends BaseController foreach (new \RecursiveIteratorIterator($directoryIterator) as $file) { unlink(base_path('bootstrap/cache/').$file->getFileName()); } + + $directoryIterator = null; } private function testWritable() @@ -225,6 +230,8 @@ class SelfUpdateController extends BaseController } } + $directoryIterator = null; + return true; } From e4107416654742188513a3011447f1193dacd437 Mon Sep 17 00:00:00 2001 From: David Bomba Date: Sat, 22 Apr 2023 09:18:52 +1000 Subject: [PATCH 05/14] Minor fixes for quotas --- app/Filters/RecurringInvoiceFilters.php | 4 ++-- app/Http/ValidationRules/Account/BlackListRule.php | 1 + app/Jobs/Mail/NinjaMailerJob.php | 2 +- app/Services/Email/Email.php | 2 +- app/Services/Email/EmailMailer.php | 2 +- app/Utils/EmailStats.php | 2 +- 6 files changed, 7 insertions(+), 6 deletions(-) diff --git a/app/Filters/RecurringInvoiceFilters.php b/app/Filters/RecurringInvoiceFilters.php index d87b9bc7b5..2a38a3a04d 100644 --- a/app/Filters/RecurringInvoiceFilters.php +++ b/app/Filters/RecurringInvoiceFilters.php @@ -116,7 +116,7 @@ class RecurringInvoiceFilters extends QueryFilters /** * Filters the query by the users company ID. * - * @return Illuminate\Database\Eloquent\Builder + * @return Builder */ public function entityFilter(): Builder { @@ -126,7 +126,7 @@ class RecurringInvoiceFilters extends QueryFilters /** * Filter based on line_items product_key * - * @param string value Product keys + * @param string $value Product keys * @return Builder */ public function product_key(string $value = ''): Builder diff --git a/app/Http/ValidationRules/Account/BlackListRule.php b/app/Http/ValidationRules/Account/BlackListRule.php index 740c269a8f..d0f9fc5355 100644 --- a/app/Http/ValidationRules/Account/BlackListRule.php +++ b/app/Http/ValidationRules/Account/BlackListRule.php @@ -30,6 +30,7 @@ class BlackListRule implements Rule 'sharklasers.com', '100072641.help', 'yandex.com', + 'bloheyz.com', ]; /** diff --git a/app/Jobs/Mail/NinjaMailerJob.php b/app/Jobs/Mail/NinjaMailerJob.php index 1254bd666b..2a1e4d2b63 100644 --- a/app/Jobs/Mail/NinjaMailerJob.php +++ b/app/Jobs/Mail/NinjaMailerJob.php @@ -136,7 +136,7 @@ class NinjaMailerJob implements ShouldQueue ->send($this->nmo->mailable); /* Count the amount of emails sent across all the users accounts */ - Cache::increment($this->company->account->key); + Cache::increment("email_quota".$this->company->account->key); LightLogs::create(new EmailSuccess($this->nmo->company->company_key)) ->send(); diff --git a/app/Services/Email/Email.php b/app/Services/Email/Email.php index 9ff36f5c52..40041fc984 100644 --- a/app/Services/Email/Email.php +++ b/app/Services/Email/Email.php @@ -247,7 +247,7 @@ class Email implements ShouldQueue $mailer->send($this->mailable); - Cache::increment($this->company->account->key); + Cache::increment("email_quota".$this->company->account->key); LightLogs::create(new EmailSuccess($this->company->company_key)) ->send(); diff --git a/app/Services/Email/EmailMailer.php b/app/Services/Email/EmailMailer.php index 6d633575bc..a3e52bc49a 100644 --- a/app/Services/Email/EmailMailer.php +++ b/app/Services/Email/EmailMailer.php @@ -95,7 +95,7 @@ class EmailMailer implements ShouldQueue $mailer->send($this->email_mailable); - Cache::increment($this->email_service->company->account->key); + Cache::increment("email_quota".$this->email_service->company->account->key); LightLogs::create(new EmailSuccess($this->email_service->company->company_key)) ->send(); diff --git a/app/Utils/EmailStats.php b/app/Utils/EmailStats.php index 1e007f8def..8000ed4edf 100644 --- a/app/Utils/EmailStats.php +++ b/app/Utils/EmailStats.php @@ -28,7 +28,7 @@ class EmailStats */ public static function inc($company_key) { - Cache::increment(self::EMAIL.$company_key); + Cache::increment("email_quota".self::EMAIL.$company_key); } /** From a17c24f950b5e9f4622bfbc65eaf8bfbb885bcc2 Mon Sep 17 00:00:00 2001 From: David Bomba Date: Sat, 22 Apr 2023 09:38:54 +1000 Subject: [PATCH 06/14] Fixes for tests --- tests/Feature/RecurringInvoiceTest.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/tests/Feature/RecurringInvoiceTest.php b/tests/Feature/RecurringInvoiceTest.php index e09632500c..e13b0e7026 100644 --- a/tests/Feature/RecurringInvoiceTest.php +++ b/tests/Feature/RecurringInvoiceTest.php @@ -579,7 +579,7 @@ class RecurringInvoiceTest extends TestCase 'user_id' => $this->user->id, 'cost' => 10, 'price' => 10, - 'product_key' => $this->faker->word, + 'product_key' => $this->faker->unique()->word(), ]); $p2 = Product::factory()->create([ @@ -587,7 +587,7 @@ class RecurringInvoiceTest extends TestCase 'user_id' => $this->user->id, 'cost' => 20, 'price' => 20, - 'product_key' => $this->faker->word, + 'product_key' => $this->faker->unique()->word(), ]); $recurring_invoice = RecurringInvoiceFactory::create($this->company->id, $this->user->id); @@ -627,7 +627,7 @@ class RecurringInvoiceTest extends TestCase $response = $this->withHeaders([ 'X-API-SECRET' => config('ninja.api_secret'), 'X-API-TOKEN' => $this->token, - ])->get('/api/v1/recurring_invoices?product_key=' . $this->faker->word) + ])->get('/api/v1/recurring_invoices?product_key=' . $this->faker->unique()->word()) ->assertStatus(200); $arr = $response->json(); From b37ab72383c7345c161853fd283d5065066d2845 Mon Sep 17 00:00:00 2001 From: David Bomba Date: Sat, 22 Apr 2023 09:48:14 +1000 Subject: [PATCH 07/14] Fixes for line breaks in messages --- resources/views/portal/ninja2020/invoices/show.blade.php | 4 ++-- resources/views/portal/ninja2020/quotes/show.blade.php | 2 +- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/resources/views/portal/ninja2020/invoices/show.blade.php b/resources/views/portal/ninja2020/invoices/show.blade.php index c52b7aba16..e62ef6e12c 100644 --- a/resources/views/portal/ninja2020/invoices/show.blade.php +++ b/resources/views/portal/ninja2020/invoices/show.blade.php @@ -14,11 +14,11 @@ @if($invoice->isPayable() && $client->getSetting('custom_message_unpaid_invoice')) @component('portal.ninja2020.components.message') - {{ $client->getSetting('custom_message_unpaid_invoice') }} +
{{ $client->getSetting('custom_message_unpaid_invoice') }}
@endcomponent @elseif($invoice->status_id === 4 && $client->getSetting('custom_message_paid_invoice')) @component('portal.ninja2020.components.message') - {{ $client->getSetting('custom_message_paid_invoice') }} +
{{ $client->getSetting('custom_message_paid_invoice') }}
@endcomponent @endif diff --git a/resources/views/portal/ninja2020/quotes/show.blade.php b/resources/views/portal/ninja2020/quotes/show.blade.php index 3b39a8cb81..dc23f49329 100644 --- a/resources/views/portal/ninja2020/quotes/show.blade.php +++ b/resources/views/portal/ninja2020/quotes/show.blade.php @@ -18,7 +18,7 @@ @if(!$quote->isApproved() && $client->getSetting('custom_message_unapproved_quote')) @component('portal.ninja2020.components.message') - {{ $client->getSetting('custom_message_unapproved_quote') }} +
{{ $client->getSetting('custom_message_unapproved_quote') }}
@endcomponent @endif From ec4c5857043c59fd5ea8948f9b9448781333de9f Mon Sep 17 00:00:00 2001 From: David Bomba Date: Sat, 22 Apr 2023 14:59:52 +1000 Subject: [PATCH 08/14] Minor adjustments for htmlengine --- app/Http/Controllers/EmailController.php | 4 ---- app/Utils/HtmlEngine.php | 6 +++--- 2 files changed, 3 insertions(+), 7 deletions(-) diff --git a/app/Http/Controllers/EmailController.php b/app/Http/Controllers/EmailController.php index 6eb974f331..a9fdf75d27 100644 --- a/app/Http/Controllers/EmailController.php +++ b/app/Http/Controllers/EmailController.php @@ -140,10 +140,6 @@ class EmailController extends BaseController $mo->cc[] = new Address($request->cc_email); } - // if ($entity == 'purchaseOrder' || $entity == 'purchase_order' || $template == 'purchase_order' || $entity == 'App\Models\PurchaseOrder') { - // return $this->sendPurchaseOrder($entity_obj, $data, $template); - // } - $entity_obj->invitations->each(function ($invitation) use ($data, $entity_obj, $template, $mo) { if (! $invitation->contact->trashed() && $invitation->contact->email) { $entity_obj->service()->markSent()->save(); diff --git a/app/Utils/HtmlEngine.php b/app/Utils/HtmlEngine.php index ea3386faf6..f16aa8589a 100644 --- a/app/Utils/HtmlEngine.php +++ b/app/Utils/HtmlEngine.php @@ -155,7 +155,7 @@ class HtmlEngine $data['$exchange_rate'] = ['value' => $this->entity->exchange_rate ?: ' ', 'label' => ctrans('texts.exchange_rate')]; if ($this->entity_string == 'invoice' || $this->entity_string == 'recurring_invoice') { - $data['$entity'] = ['value' => '', 'label' => ctrans('texts.invoice')]; + $data['$entity'] = ['value' => ctrans('texts.invoice'), 'label' => ctrans('texts.invoice')]; $data['$number'] = ['value' => $this->entity->number ?: ' ', 'label' => ctrans('texts.invoice_number')]; $data['$invoice'] = ['value' => $this->entity->number ?: ' ', 'label' => ctrans('texts.invoice_number')]; $data['$number_short'] = ['value' => $this->entity->number ?: ' ', 'label' => ctrans('texts.invoice_number_short')]; @@ -212,7 +212,7 @@ class HtmlEngine } if ($this->entity_string == 'quote') { - $data['$entity'] = ['value' => '', 'label' => ctrans('texts.quote')]; + $data['$entity'] = ['value' => ctrans('texts.quote'), 'label' => ctrans('texts.quote')]; $data['$number'] = ['value' => $this->entity->number ?: '', 'label' => ctrans('texts.quote_number')]; $data['$number_short'] = ['value' => $this->entity->number ?: '', 'label' => ctrans('texts.quote_number_short')]; $data['$entity.terms'] = ['value' => Helpers::processReservedKeywords(\nl2br($this->entity->terms ?: ''), $this->client) ?: '', 'label' => ctrans('texts.quote_terms')]; @@ -256,7 +256,7 @@ class HtmlEngine } if ($this->entity_string == 'credit') { - $data['$entity'] = ['value' => '', 'label' => ctrans('texts.credit')]; + $data['$entity'] = ['value' => ctrans('texts.credit'), 'label' => ctrans('texts.credit')]; $data['$number'] = ['value' => $this->entity->number ?: '', 'label' => ctrans('texts.credit_number')]; $data['$number_short'] = ['value' => $this->entity->number ?: '', 'label' => ctrans('texts.credit_number_short')]; $data['$entity.terms'] = ['value' => Helpers::processReservedKeywords(\nl2br($this->entity->terms ?: ''), $this->client) ?: '', 'label' => ctrans('texts.credit_terms')]; From aea29fe019af2670add8a04b6c4710fa743ebcd6 Mon Sep 17 00:00:00 2001 From: David Bomba Date: Sat, 22 Apr 2023 15:14:56 +1000 Subject: [PATCH 09/14] Adjustments for email quotas --- app/Models/Account.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/Models/Account.php b/app/Models/Account.php index 2668034004..b88ad09b3a 100644 --- a/app/Models/Account.php +++ b/app/Models/Account.php @@ -550,7 +550,7 @@ class Account extends BaseModel $limit += Carbon::createFromTimestamp($this->created_at)->diffInMonths() * 50; } else { $limit = $this->free_plan_email_quota; - $limit += Carbon::createFromTimestamp($this->created_at)->diffInMonths() * 10; + $limit += Carbon::createFromTimestamp($this->created_at)->diffInMonths() * 3; } return min($limit, 5000); From cceadda985fb45432ca11882c3c3ffe6df54f0d7 Mon Sep 17 00:00:00 2001 From: David Bomba Date: Sat, 22 Apr 2023 15:18:53 +1000 Subject: [PATCH 10/14] Adjustments for email override --- app/Jobs/Mail/NinjaMailerJob.php | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/app/Jobs/Mail/NinjaMailerJob.php b/app/Jobs/Mail/NinjaMailerJob.php index 2a1e4d2b63..eaab72bf42 100644 --- a/app/Jobs/Mail/NinjaMailerJob.php +++ b/app/Jobs/Mail/NinjaMailerJob.php @@ -486,8 +486,13 @@ class NinjaMailerJob implements ShouldQueue */ private function preFlightChecksFail(): bool { + /* Always send regardless */ + if($this->override) { + return false; + } + /* If we are migrating data we don't want to fire any emails */ - if ($this->company->is_disabled && !$this->override) { + if ($this->company->is_disabled) { return true; } From e463613a4c3227f52c2569e1451b03e939406ff5 Mon Sep 17 00:00:00 2001 From: David Bomba Date: Sat, 22 Apr 2023 15:25:54 +1000 Subject: [PATCH 11/14] Minor fixes --- app/Console/Commands/BackupUpdate.php | 6 +++++- app/Services/Email/Email.php | 7 ++++++- 2 files changed, 11 insertions(+), 2 deletions(-) diff --git a/app/Console/Commands/BackupUpdate.php b/app/Console/Commands/BackupUpdate.php index a2fc126e92..9a827b68d1 100644 --- a/app/Console/Commands/BackupUpdate.php +++ b/app/Console/Commands/BackupUpdate.php @@ -11,11 +11,12 @@ namespace App\Console\Commands; -use App\Libraries\MultiDB; +use App\Utils\Ninja; use App\Models\Backup; use App\Models\Client; use App\Models\Company; use App\Models\Document; +use App\Libraries\MultiDB; use App\Models\GroupSetting; use Illuminate\Console\Command; use Illuminate\Support\Facades\Storage; @@ -55,6 +56,9 @@ class BackupUpdate extends Command { //always return state to first DB + if(Ninja::isSelfHost()) + return; + $current_db = config('database.default'); if (! config('ninja.db.multi_db_enabled')) { diff --git a/app/Services/Email/Email.php b/app/Services/Email/Email.php index 40041fc984..ddbfee25fb 100644 --- a/app/Services/Email/Email.php +++ b/app/Services/Email/Email.php @@ -329,8 +329,13 @@ class Email implements ShouldQueue */ public function preFlightChecksFail(): bool { + /* Always send if disabled */ + if($this->override) { + return false; + } + /* If we are migrating data we don't want to fire any emails */ - if ($this->company->is_disabled && !$this->override) { + if ($this->company->is_disabled) { return true; } From a6aeb619125980ed1c560ecaee7a9a983b5c8cbb Mon Sep 17 00:00:00 2001 From: David Bomba Date: Sat, 22 Apr 2023 16:19:17 +1000 Subject: [PATCH 12/14] Update translations --- lang/es_ES/texts.php | 50 +- lang/fr_CA/texts.php | 1132 ++++++++-------- lang/it/texts.php | 2932 +++++++++++++++++++++--------------------- lang/pt_PT/texts.php | 1550 +++++++++++----------- 4 files changed, 2839 insertions(+), 2825 deletions(-) diff --git a/lang/es_ES/texts.php b/lang/es_ES/texts.php index e0a939f994..8d3985f95a 100644 --- a/lang/es_ES/texts.php +++ b/lang/es_ES/texts.php @@ -4379,7 +4379,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c 'imported_customers' => 'Se comenzó a importar clientes con éxito', 'login_success' => 'Inicio de sesión correcto', 'login_failure' => 'Inicio de sesión fallido', - 'exported_data' => 'Once the file is ready you\'ll receive an email with a download link', + 'exported_data' => 'Una vez que el archivo esté listo, recibirá un correo electrónico con un enlace de descarga.', 'include_deleted_clients' => 'Incluir clientes eliminados', 'include_deleted_clients_help' => 'Cargar registros pertenecientes a clientes eliminados', 'step_1_sign_in' => 'Paso 1: Iniciar sesión', @@ -4468,7 +4468,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c 'activity_123' => ':user eliminó el gasto recurrente :recurring_expense', 'activity_124' => ':user restauró el gasto recurrente :recurring_expense', 'fpx' => "FPX", - 'to_view_entity_set_password' => 'To view the :entity you need to set a password.', + 'to_view_entity_set_password' => 'Para ver el :entity necesita establecer una contraseña.', 'unsubscribe' => 'Darse de baja', 'unsubscribed' => 'Dado de baja', 'unsubscribed_text' => 'Se le ha eliminado de las notificaciones de este documento', @@ -4566,7 +4566,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c 'purchase_order_number' => 'Número de orden de compra', 'purchase_order_number_short' => 'orden de compra n.°', 'inventory_notification_subject' => 'Notificación de umbral de inventario para el producto: :product', - 'inventory_notification_body' => 'Threshold of :amount has been reached for product: :product', + 'inventory_notification_body' => 'Se ha alcanzado el umbral de:amount para el producto: :product', 'activity_130' => ':user creó la orden de compra :purchase_order', 'activity_131' => ':user actualizó la orden de compra :purchase_order', 'activity_132' => ':user archivó la orden de compra :purchase_order', @@ -4598,7 +4598,7 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c 'vendor_document_upload' => 'Carga de documentos de proveedores', 'vendor_document_upload_help' => 'Permitir que los proveedores carguen documentos', 'are_you_enjoying_the_app' => '¿Estás disfrutando de la aplicación?', - 'yes_its_great' => 'Yes, it\'s great!', + 'yes_its_great' => '¡Sí, es genial!', 'not_so_much' => 'No tanto', 'would_you_rate_it' => '¡Me alegro de oirlo! ¿Te gustaría calificarlo?', 'would_you_tell_us_more' => '¡Siento escucharlo! ¿Te gustaría contarnos más?', @@ -4969,9 +4969,9 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c 'white_label_body' => 'Gracias por comprar una licencia de marca blanca.

Su clave de licencia es:

:license_key', 'payment_type_Klarna' => 'Klarna', 'payment_type_Interac E Transfer' => 'Interac E Transfer', - 'xinvoice_payable' => 'Payable within :payeddue days net until :paydate', - 'xinvoice_no_buyers_reference' => "No buyer's reference given", - 'xinvoice_online_payment' => 'The invoice needs to be payed online via the provided link', + 'xinvoice_payable' => 'Pagadero dentro de :payeddue días de pago vencido neto hasta :paydate', + 'xinvoice_no_buyers_reference' => "No se da la referencia del comprador", + 'xinvoice_online_payment' => 'La factura debe pagarse en línea a través del enlace proporcionado.', 'pre_payment' => 'Prepago', 'number_of_payments' => 'Numero de pagos', 'number_of_payments_helper' => 'El número de veces que se realizará este pago.', @@ -5034,24 +5034,24 @@ Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga c 'taxable_amount' => 'Base imponible', 'tax_summary' => 'Resumen de impuestos', 'oauth_mail' => 'OAuth / Mail', - 'preferences' => 'Preferences', - 'analytics' => 'Analytics', - 'reduced_rate' => 'Reduced Rate', - 'tax_all' => 'Tax All', - 'tax_selected' => 'Tax Selected', - 'version' => 'version', - 'seller_subregion' => 'Seller Subregion', - 'calculate_taxes' => 'Calculate Taxes', - 'calculate_taxes_help' => 'Automatically calculate taxes when saving invoices', - 'link_expenses' => 'Link Expenses', - 'converted_client_balance' => 'Converted Client Balance', - 'converted_payment_balance' => 'Converted Payment Balance', - 'total_hours' => 'Total Hours', - 'date_picker_hint' => 'Use +days to set the date in the future', - 'app_help_link' => 'More information ', - 'here' => 'here', - 'industry_Restaurant & Catering' => 'Restaurant & Catering', - 'show_credits_table' => 'Show Credits Table', + 'preferences' => 'Preferencias', + 'analytics' => 'Analítica', + 'reduced_rate' => 'Tarifa Reducida', + 'tax_all' => 'Impuestos Todos', + 'tax_selected' => 'Impuesto Seleccionado', + 'version' => 'versión', + 'seller_subregion' => 'Subregión del vendedor', + 'calculate_taxes' => 'Calcular impuestos', + 'calculate_taxes_help' => 'Calcular automáticamente los impuestos al guardar las facturas', + 'link_expenses' => 'Gastos de enlace', + 'converted_client_balance' => 'Saldo de cliente convertido', + 'converted_payment_balance' => 'Saldo de pago convertido', + 'total_hours' => 'Horas totales', + 'date_picker_hint' => 'Usa +días para establecer la fecha en el futuro', + 'app_help_link' => 'Más información', + 'here' => 'aquí', + 'industry_Restaurant & Catering' => 'Restaurante y Catering', + 'show_credits_table' => 'Mostrar tabla de créditos', ); diff --git a/lang/fr_CA/texts.php b/lang/fr_CA/texts.php index 8ef0040593..aa4ae226e5 100644 --- a/lang/fr_CA/texts.php +++ b/lang/fr_CA/texts.php @@ -68,8 +68,8 @@ $LANG = array( 'tax_rates' => 'Taux de taxe', 'rate' => 'Taux', 'settings' => 'Paramètres', - 'enable_invoice_tax' => 'Spécifier une taxe pour la facture', - 'enable_line_item_tax' => 'Spécifier une taxe pour chaque ligne', + 'enable_invoice_tax' => 'Activer une taxe pour la facture', + 'enable_line_item_tax' => 'Activer les taxes pour chaque ligne', 'dashboard' => 'Tableau de bord', 'dashboard_totals_in_all_currencies_help' => 'Note: ajoutez un :link intitulé ":name" pour afficher les totaux qui utilisent une seule devise de base.', 'clients' => 'Clients', @@ -94,7 +94,7 @@ $LANG = array( 'close' => 'Fermer', 'provide_email' => 'Veuillez fournir une adresse courriel valide', 'powered_by' => 'Propulsé par', - 'no_items' => 'Aucun élément', + 'no_items' => 'Aucun article', 'recurring_invoices' => 'Factures récurrentes', 'recurring_help' => '

Envoyer automatiquement la même facture à vos clients de façon hebdomadaire, bimensuelle, mensuelle, trimestrielle ou annuelle.

Utiliser :MONTH, :QUARTER ou :YEAR pour des dates dynamiques. Les opérations simples fonctionnent également, par exemple :MONTH-1.

@@ -126,7 +126,7 @@ $LANG = array( 'new_client' => 'Nouveau client', 'new_invoice' => 'Nouvelle facture', 'new_payment' => 'Saisir un paiement', - 'new_credit' => 'Inscrire un crédit', + 'new_credit' => 'Saisir un crédit', 'contact' => 'Contact', 'date_created' => 'Date de création', 'last_login' => 'Dernière connexion', @@ -150,7 +150,7 @@ $LANG = array( 'edit_client' => 'Modifier le client', 'edit_invoice' => 'Modifier la facture', 'create_invoice' => 'Créer une facture', - 'enter_credit' => 'Inscrire un crédit', + 'enter_credit' => 'Saisir un crédit', 'last_logged_in' => 'Dernière connexion', 'details' => 'Détails', 'standing' => 'En attente', @@ -224,18 +224,18 @@ $LANG = array( 'deleted_payment' => 'Le paiement a été supprimé', 'deleted_payments' => ':count paiements ont été supprimés', 'applied_payment' => 'Le paiement a été appliqué', - 'created_credit' => 'Le crédit a été créé avec succès', - 'archived_credit' => 'Le crédit a été archivé avec succès', - 'archived_credits' => ':count crédits ont archivés avec succès', - 'deleted_credit' => 'Le crédit a été supprimé avec succès', - 'deleted_credits' => ':count crédits ont été supprimés avec succès', - 'imported_file' => 'Le fichier a été importé avec succès', - 'updated_vendor' => 'Le fournisseur a été mis à jour avec succès', - 'created_vendor' => 'Le fournisseur a été créé avec succès', - 'archived_vendor' => 'Le fournisseur a été archivé avec succès', - 'archived_vendors' => ':count fournisseurs ont été archivés avec succès', - 'deleted_vendor' => 'Le fournisseur a été supprimé avec succès', - 'deleted_vendors' => ':count fournisseurs ont été supprimés avec succès', + 'created_credit' => 'Le crédit a été créé', + 'archived_credit' => 'Le crédit a été archivé', + 'archived_credits' => ':count crédits ont archivés', + 'deleted_credit' => 'Le crédit a été supprimé', + 'deleted_credits' => ':count crédits ont été supprimés', + 'imported_file' => 'Le fichier a été importé', + 'updated_vendor' => 'Le fournisseur a été mis à jour', + 'created_vendor' => 'Le fournisseur a été créé', + 'archived_vendor' => 'Le fournisseur a été archivé', + 'archived_vendors' => ':count fournisseurs ont été archivés', + 'deleted_vendor' => 'Le fournisseur a été supprimé', + 'deleted_vendors' => ':count fournisseurs ont été supprimés', 'confirmation_subject' => 'Validation du compte', 'confirmation_header' => 'Validation du compte', 'confirmation_message' => 'Veuillez cliquer sur le lien ci-dessous pour valider votre compte.', @@ -268,7 +268,7 @@ $LANG = array( 'email_taken' => 'Cette adresse courriel existe déjà', 'working' => 'En cours', 'success' => 'Succès', - 'success_message' => 'Inscription réussie avec succès! Veuillez cliquer sur le lien dans le courriel de confirmation de compte pour vérifier votre adresse courriel.', + 'success_message' => 'Inscription réussie! Veuillez cliquer sur le lien dans le courriel de confirmation de compte pour vérifier votre adresse courriel.', 'erase_data' => 'Votre compte n\'est pas enregistré. Cette action va définitivement supprimer vos données.', 'password' => 'Mot de passe', 'pro_plan_product' => 'Plan Pro', @@ -292,9 +292,9 @@ $LANG = array( 'create_product' => 'Nouveau produit', 'edit_product' => 'Modifier le produit', 'archive_product' => 'Archiver le produit', - 'updated_product' => 'Le produit a été mis à jour avec succès', - 'created_product' => 'Le produit a été créé avec succès', - 'archived_product' => 'Le produit a été archivé avec succès', + 'updated_product' => 'Le produit a été mis à jour', + 'created_product' => 'Le produit a été créé', + 'archived_product' => 'Le produit a été archivé', 'pro_plan_custom_fields' => ':link pour activer les champs personnalisés en rejoingant le Plan Pro', 'advanced_settings' => 'Paramètres avancés', 'pro_plan_advanced_settings' => ':link pour activer les paramètres avancés en rejoingant le Plan Pro', @@ -325,15 +325,15 @@ $LANG = array( 'view_invoice' => 'Voir la facture', 'view_client' => 'Voir le client', 'view_quote' => 'Voir la soumission', - 'updated_quote' => 'La soumission a été mise à jour avec succès', - 'created_quote' => 'La soumission a été créée avec succès', + 'updated_quote' => 'La soumission a été mise à jour', + 'created_quote' => 'La soumission a été créée', 'cloned_quote' => 'La soumission a été dupliquée', - 'emailed_quote' => 'La soumission a été envoyée avec succès', - 'archived_quote' => 'La soumission a été archivée avec succès', - 'archived_quotes' => ':count soumissions ont été archivées avec succès', - 'deleted_quote' => 'La soumission a été supprimée avec succès', - 'deleted_quotes' => ':count soumissions ont été supprimées avec succès', - 'converted_to_invoice' => 'La soumission a été convertie en facture avec succès', + 'emailed_quote' => 'La soumission a été envoyée', + 'archived_quote' => 'La soumission a été archivée', + 'archived_quotes' => ':count soumissions ont été archivées', + 'deleted_quote' => 'La soumission a été supprimée', + 'deleted_quotes' => ':count soumissions ont été supprimées', + 'converted_to_invoice' => 'La soumission a été convertie en facture', 'quote_subject' => 'Nouvelle soumission :number de :account', 'quote_message' => 'Pour visionner votre soumission de :amount, cliquez sur le lien ci-dessous.', 'quote_link_message' => 'Pour visionner votre soumission, cliquez sur le lien ci-dessous:', @@ -350,8 +350,8 @@ $LANG = array( 'user_management' => 'Gestion des utilisateurs', 'add_user' => 'Ajouter un utilisateur', 'send_invite' => 'Envoyer l\'invitation', - 'sent_invite' => 'L\'invitation a été envoyée avec succès', - 'updated_user' => 'L\'utilisateur a été mis à jour avec succès', + 'sent_invite' => 'L\'invitation a été envoyée', + 'updated_user' => 'L\'utilisateur a été mis à jour', 'invitation_message' => 'Vous avez été invité par :invitor. ', 'register_to_add_user' => 'Veuillez vous enregistrer pour ajouter un utilisateur', 'user_state' => 'Province', @@ -359,7 +359,7 @@ $LANG = array( 'delete_user' => 'Supprimer l\'utilisateur', 'active' => 'Actif', 'pending' => 'En attente', - 'deleted_user' => 'L\'utilisateur a été supprimé avec succès', + 'deleted_user' => 'L\'utilisateur a été supprimé', 'confirm_email_invoice' => 'Voulez-vous vraiment envoyer cette facture par courriel?', 'confirm_email_quote' => 'Voulez-vous vraiment envoyer cette soumission par courriel?', 'confirm_recurring_email_invoice' => 'Voulez-vous vraiment envoyer cette facture par courriel?', @@ -391,18 +391,18 @@ $LANG = array( 'more_designs_cloud_text' => '', 'more_designs_self_host_text' => '', 'buy' => 'Acheter', - 'bought_designs' => 'Les nouveaux modèles ont été ajoutés avec succès', + 'bought_designs' => 'Les nouveaux modèles ont été ajoutés', 'sent' => 'Envoyé', 'vat_number' => 'N° de taxe', 'timesheets' => 'Feuilles de temps', - 'payment_title' => 'Veuillez entrer votre adresse de facturation et vos information de carte de crédit', + 'payment_title' => 'Veuillez saisir votre adresse de facturation et vos information de carte de crédit', 'payment_cvv' => '*Il s\'agit des 3 ou 4 chiffres au dos de votre carte', 'payment_footer1' => '*L\'adresse de facturation doit correspondre à l\'adresse associée à votre carte de crédit.', 'payment_footer2' => '*Veuillez cliquer sur "PAYER MAINTENANT" une seule fois - la transaction peut prendre jusqu\'à 1 minute.', 'id_number' => 'N° d\'entreprise', 'white_label_link' => 'Sans marque', 'white_label_header' => 'Entête de version sans marque', - 'bought_white_label' => 'Licence de version sans marque activée avec succès', + 'bought_white_label' => 'Licence de version sans marque activée', 'white_labeled' => 'Sans marque', 'restore' => 'Restaurer', 'restore_invoice' => 'Restaurer la facture', @@ -410,11 +410,11 @@ $LANG = array( 'restore_client' => 'Restaurer le client', 'restore_credit' => 'Restaurer le crédit', 'restore_payment' => 'Restaurer le paiement', - 'restored_invoice' => 'La facture a été restaurée avec succès', - 'restored_quote' => 'La soumission a été restaurée avec succès', - 'restored_client' => 'Le client a été restauré avec succès', - 'restored_payment' => 'Le paiement a été restauré avec succès', - 'restored_credit' => 'Le crédit a été restauré avec succès', + 'restored_invoice' => 'La facture a été restaurée', + 'restored_quote' => 'La soumission a été restaurée', + 'restored_client' => 'Le client a été restauré', + 'restored_payment' => 'Le paiement a été restauré', + 'restored_credit' => 'Le crédit a été restauré', 'reason_for_canceling' => 'Aidez-nous à améliorer notre site en nous disant pourquoi vous partez.', 'discount_percent' => 'Pourcent', 'discount_amount' => 'Montant', @@ -424,10 +424,10 @@ $LANG = array( 'select_version' => 'Choix de la verison', 'view_history' => 'Consulter l\'historique', 'edit_payment' => 'Modifier le paiement', - 'updated_payment' => 'Le paiement a été mis à jour avec succès', + 'updated_payment' => 'Le paiement a été mis à jour', 'deleted' => 'Supprimé', 'restore_user' => 'Restaurer un utilisateur', - 'restored_user' => 'L\'utilisateur a été restauré avec succès', + 'restored_user' => 'L\'utilisateur a été restauré', 'show_deleted_users' => 'Afficher les utilisateurs supprimés', 'email_templates' => 'Modèles de courriel', 'invoice_email' => 'Courriel de facturation', @@ -462,18 +462,18 @@ $LANG = array( 'tokens' => 'Jetons', 'add_token' => 'Ajouter un jeton', 'show_deleted_tokens' => 'Afficher les jetons supprimés', - 'deleted_token' => 'Le jeton a été supprimé avec succès', - 'created_token' => 'Le jeton a été créé avec succès', - 'updated_token' => 'Le jeton a été mis à jour avec succès', + 'deleted_token' => 'Le jeton a été supprimé', + 'created_token' => 'Le jeton a été créé', + 'updated_token' => 'Le jeton a été mis à jour', 'edit_token' => 'Éditer le jeton', 'delete_token' => 'Supprimer le jeton', 'token' => 'Jeton', 'add_gateway' => 'Ajouter une passerelle', 'delete_gateway' => 'Supprimer la passerelle', 'edit_gateway' => 'Éditer la passerelle', - 'updated_gateway' => 'La passerelle a été mise à jour avec succès', - 'created_gateway' => 'La passerelle a été créée avec succès', - 'deleted_gateway' => 'La passerelle a été supprimée avec succès', + 'updated_gateway' => 'La passerelle a été mise à jour', + 'created_gateway' => 'La passerelle a été créée', + 'deleted_gateway' => 'La passerelle a été supprimée', 'pay_with_paypal' => 'PayPal', 'pay_with_card' => 'Carte de crédit', 'change_password' => 'Modifier le mot de passe', @@ -482,7 +482,7 @@ $LANG = array( 'confirm_password' => 'Confirmer le mot de passe', 'password_error_incorrect' => 'Le mot de passe est incorrect.', 'password_error_invalid' => 'Le nouveau mot de passe est invalide.', - 'updated_password' => 'Le mot de passe a été mis à jour avec succès', + 'updated_password' => 'Le mot de passe a été mis à jour', 'api_tokens' => 'Jetons API', 'users_and_tokens' => 'Utilisateurs et jetons', 'account_login' => 'Connexion', @@ -536,12 +536,12 @@ $LANG = array( 'zapier' => 'Zapier', 'recurring' => 'Récurrente', 'last_invoice_sent' => 'Dernière facture envoyée le :date', - 'processed_updates' => 'La mise à jour été complétée avec succès', + 'processed_updates' => 'La mise à jour été complétée', 'tasks' => 'Tâches', 'new_task' => 'Nouvelle tâche', 'start_time' => 'Démarrée à', - 'created_task' => 'La tâche a été créée avec succès', - 'updated_task' => 'La tâche a été modifiée avec succès', + 'created_task' => 'La tâche a été créée', + 'updated_task' => 'La tâche a été modifiée', 'edit_task' => 'Éditer la tâche', 'clone_task' => 'Dupliquer la tâche', 'archive_task' => 'Archiver la Tâche', @@ -572,13 +572,13 @@ $LANG = array( 'task_error_multiple_clients' => 'Une tâche ne peut appartenir à plusieurs clients', 'task_error_running' => 'Merci d\'arrêter les tâches en cours', 'task_error_invoiced' => 'Ces tâches ont déjà été facturées', - 'restored_task' => 'La tâche a été restaurée avec succès', - 'archived_task' => 'La tâche a été archivée avec succès', - 'archived_tasks' => ':count tâches ont été archivées avec succès', - 'deleted_task' => 'La tâche a été supprimée avec succès', - 'deleted_tasks' => ':count tâches ont été supprimées avec succès', + 'restored_task' => 'La tâche a été restaurée', + 'archived_task' => 'La tâche a été archivée', + 'archived_tasks' => ':count tâches ont été archivées', + 'deleted_task' => 'La tâche a été supprimée', + 'deleted_tasks' => ':count tâches ont été supprimées', 'create_task' => 'Créer une Tâche', - 'stopped_task' => 'La tâche a été arrêtée avec succès', + 'stopped_task' => 'La tâche a été arrêtée', 'invoice_task' => 'Facturer la tâche', 'invoice_labels' => 'Champs des produits', 'prefix' => 'Préfixe', @@ -604,12 +604,12 @@ $LANG = array( 'timezone_unset' => 'Veuillez :link pour définir votre fuseau horaire', 'click_here' => 'cliquez ici', 'email_receipt' => 'Envoyer le reçu de paiement par courriel au client', - 'created_payment_emailed_client' => 'Le paiement a été créé et envoyé par courriel au client avec succès', + 'created_payment_emailed_client' => 'Le paiement a été créé et envoyé par courriel au client', 'add_company' => 'Ajouter une entreprise', 'untitled' => 'Sans nom', 'new_company' => 'Nouvelle entreprise', - 'associated_accounts' => 'Les comptes ont été liés avec succès', - 'unlinked_account' => 'Les comptes ont été dissociés avec succès', + 'associated_accounts' => 'Les comptes ont été liés', + 'unlinked_account' => 'Les comptes ont été dissociés', 'login' => 'Connexion', 'or' => 'ou', 'email_error' => 'Il y a eu un problème lors de l\'envoi du courriel', @@ -729,11 +729,11 @@ $LANG = array( 'enable_with_stripe' => 'Activer | Requiert Stripe', 'tax_settings' => 'Paramètres des taxes', 'create_tax_rate' => 'Ajouter un taux de taxe', - 'updated_tax_rate' => 'Le taux de taxe a été mis à jour avec succès', - 'created_tax_rate' => 'Le taux de taxe a été créé avec succès', + 'updated_tax_rate' => 'Le taux de taxe a été mis à jour', + 'created_tax_rate' => 'Le taux de taxe a été créé', 'edit_tax_rate' => 'Éditer le taux de taxe', 'archive_tax_rate' => 'Archiver le taux de taxe', - 'archived_tax_rate' => 'Le taux de taxe a été archivé avec succès', + 'archived_tax_rate' => 'Le taux de taxe a été archivé', 'default_tax_rate_id' => 'Taux de taxe par défaut', 'tax_rate' => 'Taux de taxe', 'recurring_hour' => 'Heure récurrente', @@ -809,27 +809,27 @@ $LANG = array( 'default_invoice_footer' => 'Définir le pied de facture par défaut', 'quote_footer' => 'Pied de soumission par défaut', 'free' => 'Gratuit', - 'quote_is_approved' => 'Approuvé avec succès', + 'quote_is_approved' => 'Approuvé', 'apply_credit' => 'Appliquer le crédit', 'system_settings' => 'Paramètres système', 'archive_token' => 'Archiver le jeton', - 'archived_token' => 'Le jeton a été archivé avec succès', + 'archived_token' => 'Le jeton a été archivé', 'archive_user' => 'Archiver l\'utilisateur', - 'archived_user' => 'L\'utilisateur a été archivé avec succès', + 'archived_user' => 'L\'utilisateur a été archivé', 'archive_account_gateway' => 'Supprimer la passerelle', - 'archived_account_gateway' => 'La passerelle a été archivée avec succès', + 'archived_account_gateway' => 'La passerelle a été archivée', 'archive_recurring_invoice' => 'Archiver la facture récurrente', - 'archived_recurring_invoice' => 'La facture récurrente a été archivée avec succès', + 'archived_recurring_invoice' => 'La facture récurrente a été archivée', 'delete_recurring_invoice' => 'Supprimer la facture récurrente', - 'deleted_recurring_invoice' => 'La facture récurrente a été supprimée avec succès', + 'deleted_recurring_invoice' => 'La facture récurrente a été supprimée', 'restore_recurring_invoice' => 'Restaurer la facture récurrente', - 'restored_recurring_invoice' => 'La facture récurrente a été restaurée avec succès', + 'restored_recurring_invoice' => 'La facture récurrente a été restaurée', 'archive_recurring_quote' => 'Archiver une soumission récurrente', - 'archived_recurring_quote' => 'La soumission récurrente a été archivée avec succès', + 'archived_recurring_quote' => 'La soumission récurrente a été archivée', 'delete_recurring_quote' => 'Supprimer la soumission récurrente', - 'deleted_recurring_quote' => 'La soumission récurrente a été supprimée avec succès', + 'deleted_recurring_quote' => 'La soumission récurrente a été supprimée', 'restore_recurring_quote' => 'Restaurer une soumission récurrente', - 'restored_recurring_quote' => 'La soumission récurrente a été restaurée avec succès', + 'restored_recurring_quote' => 'La soumission récurrente a été restaurée', 'archived' => 'Archivé', 'untitled_account' => 'Entreprise sans nom', 'before' => 'Avant', @@ -886,7 +886,7 @@ $LANG = array( 'button_confirmation_message' => 'Confirmez votre courriel.', 'confirm' => 'Confirmer', 'email_preferences' => 'Préférences courriel', - 'created_invoices' => ':count factures ont été créées avec succès', + 'created_invoices' => ':count factures ont été créées', 'next_invoice_number' => 'Le prochain numéro de facture est :number.', 'next_quote_number' => 'Le prochain numéro de soumission est :number.', 'days_before' => 'jours avant le', @@ -899,7 +899,7 @@ $LANG = array( 'white_label_purchase_link' => 'Achetez une licence sans marque', 'expense' => 'Dépense', 'expenses' => 'Dépenses', - 'new_expense' => 'Entrer une dépense', + 'new_expense' => 'Saisir une dépense', 'new_vendor' => 'Nouveau fournisseur', 'payment_terms_net' => 'Net', 'vendor' => 'Fournisseur', @@ -907,10 +907,10 @@ $LANG = array( 'archive_vendor' => 'Archiver le fournisseur', 'delete_vendor' => 'Supprimer le fournisseur', 'view_vendor' => 'Voir le fournisseur', - 'deleted_expense' => 'La dépense a été supprimée avec succès', - 'archived_expense' => 'La dépense a été archivée avec succès', - 'deleted_expenses' => 'Les dépenses ont été supprimées avec succès', - 'archived_expenses' => 'Les dépenses ont été archivées avec succès', + 'deleted_expense' => 'La dépense a été supprimée', + 'archived_expense' => 'La dépense a été archivée', + 'deleted_expenses' => 'Les dépenses ont été supprimées', + 'archived_expenses' => 'Les dépenses ont été archivées', 'expense_amount' => 'Montant de la dépense', 'expense_balance' => 'Solde de la dépense', 'expense_date' => 'Date de la dépense', @@ -926,9 +926,9 @@ $LANG = array( 'archive_expense' => 'Archiver la dépense', 'delete_expense' => 'Supprimer la dépense', 'view_expense_num' => 'Dépense # :expense', - 'updated_expense' => 'La dépense a été mise à jour avec succès', - 'created_expense' => 'La dépense a été créée avec succès', - 'enter_expense' => 'Nouvelle dépense', + 'updated_expense' => 'La dépense a été mise à jour', + 'created_expense' => 'La dépense a été créée', + 'enter_expense' => 'Saisir une dépense', 'view' => 'Visualiser', 'restore_expense' => 'Restaurer la dépense', 'invoice_expense' => 'Facture de dépense', @@ -979,11 +979,11 @@ $LANG = array( 'import_expenses' => 'Importer les dépenses', 'bank_id' => 'Banque', 'integration_type' => 'Type d\'intégration', - 'updated_bank_account' => 'Le compte bancaire a été mise à jour avec succès', + 'updated_bank_account' => 'Le compte bancaire a été mise à jour', 'edit_bank_account' => 'éditer le compte bancaire', 'archive_bank_account' => 'Archiver le compte bancaire', - 'archived_bank_account' => 'Le compte bancaire a été archivé avec succès', - 'created_bank_account' => 'Le compte bancaire a été créé avec succès', + 'archived_bank_account' => 'Le compte bancaire a été archivé', + 'created_bank_account' => 'Le compte bancaire a été créé', 'validate_bank_account' => 'Valider le compte bancaire', 'bank_password_help' => 'Note: votre mot de passe est transmis de façon sécuritaire et n\'est jamais enregistré sur nos serveurs.', 'bank_password_warning' => 'Avertissement: votre mot de passe pourrait être transmis sans cryptage, pensez à activer HTTPS.', @@ -997,7 +997,7 @@ $LANG = array( 'auto_convert_quote_help' => 'Convertir automatiquement une soumission lorsque celle-ci est approuvée.', 'validate' => 'Valider', 'info' => 'Info', - 'imported_expenses' => ':count_vendors fournisseur(s) et :count_expenses dépense(s) ont été créés avec succès', + 'imported_expenses' => ':count_vendors fournisseur(s) et :count_expenses dépense(s) ont été créés', 'iframe_url_help3' => 'Note: si vous pensez accepter le paiement par carte de crédit, Nous vous recommandons fortement d\'activer le HTTPS.', 'expense_error_multiple_currencies' => 'La dépense ne peut pas utiliser des devises différentes.', 'expense_error_mismatch_currencies' => 'La devise du client ne correspond par à la devise de la dépense.', @@ -1017,7 +1017,7 @@ $LANG = array( 'trial_footer' => 'Vous avez encore :count jours pour votre essai gratuit Pro Plan, :link pour s\'inscrire.', 'trial_footer_last_day' => 'C\'est le dernier jour de votre essai gratuit Pro Plan, :link pour s\'inscrire.', 'trial_call_to_action' => 'Démarrez votre essai gratuit', - 'trial_success' => 'Le Plan Pro, version d\'essai gratuit pour 2 semaines a été activé avec succès', + 'trial_success' => 'Le Plan Pro, version d\'essai gratuit pour 2 semaines a été activé', 'overdue' => 'En souffrance', @@ -1062,8 +1062,8 @@ $LANG = array( 'new_product' => 'Nouveau produit', 'new_tax_rate' => 'Nouveau taux de taxe', 'invoiced_amount' => 'Montant facturé', - 'invoice_item_fields' => 'Champs d\'items de facture', - 'custom_invoice_item_fields_help' => 'Ajoutez un champ lors de la création d\'une facture pour afficher le libellé et la valeur du champ sur le PDF.', + 'invoice_item_fields' => 'Champs d\'articles de facture', + 'custom_invoice_item_fields_help' => 'Ajouter un champ lors de la création d\'un article de facture et afficher le libellé et la valeur sur le PDF.', 'recurring_invoice_number' => 'Numéro récurrent', 'recurring_invoice_number_prefix_help' => 'Spécifiez un préfixe au numéro de facture pour les factures récurrentes.', @@ -1091,8 +1091,8 @@ $LANG = array( 'gateway_help_21' => ':link pour s\'inscrire à Sage Pay.', 'partial_due' => 'Montant partiel dû', 'restore_vendor' => 'Restaurer un fournisseur ', - 'restored_vendor' => 'Le fournisseur a été restauré avec succès', - 'restored_expense' => 'La dépense a été restaurée avec succès', + 'restored_vendor' => 'Le fournisseur a été restauré', + 'restored_expense' => 'La dépense a été restaurée', 'permissions' => 'Permissions', 'create_all_help' => 'Autoriser un utilisateur à créer et modifier ses enregistrements', 'view_all_help' => 'Autoriser un utilisateur à visualiser des enregistrements d\'autres utilisateurs', @@ -1188,7 +1188,7 @@ $LANG = array( 'enterprise_plan_month_description' => 'Abonnement à une année du plan Invoice Ninja Enterprise.', 'plan_credit_product' => 'Crédit', 'plan_credit_description' => 'Crédit inutilisé', - 'plan_pending_monthly' => 'Passer au plan mensuel le :date', + 'plan_pending_monthly' => 'Passage au plan mensuel le :date', 'plan_refunded' => 'Un remboursement vous a été émis.', 'page_size' => 'Taille de page', @@ -1256,13 +1256,13 @@ $LANG = array( 'confirm_account_number' => 'Veuillez confirmer le numéro de compte', 'individual_account' => 'Compte personnel', 'company_account' => 'Compte d\'entreprise', - 'account_holder_name' => 'Nom du détenteur', + 'account_holder_name' => 'Nom du détenteur de compte', 'add_account' => 'Ajouter un compte', 'payment_methods' => 'Modes de paiement', 'complete_verification' => 'Compléter la vérification', 'verification_amount1' => 'Montant 1', 'verification_amount2' => 'Montant 2', - 'payment_method_verified' => 'La vérification a été complétée avec succès', + 'payment_method_verified' => 'La vérification a été complétée', 'verification_failed' => 'La vérification a échoué', 'remove_payment_method' => 'Retirer le mode de paiement', 'confirm_remove_payment_method' => 'Souhaitez-vous vraiment retirer ce mode de paiement?', @@ -1335,7 +1335,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'switch_to_wepay' => 'Changer pour WePay', 'switch' => 'Changer', 'restore_account_gateway' => 'Restaurer la passerelle de paiement', - 'restored_account_gateway' => 'La passerelle de paiement a été restaurée avec succès', + 'restored_account_gateway' => 'La passerelle de paiement a été restaurée', 'united_states' => 'États-Unis', 'canada' => 'Canada', 'accept_debit_cards' => 'Accepter les cartes de débit', @@ -1356,7 +1356,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'import_products' => 'Importer des produits', 'products_will_create' => 'produits seront créés', 'product_key' => 'Produit', - 'created_products' => ':count produit(s) ont été crées / mis à jour avec succès', + 'created_products' => ':count produit(s) ont été crées / mis à jour', 'export_help' => 'Utilisez JSON si vous prévoyez importer les données dans Invoice Ninja.
Ceci inclut les clients, les produits, les factures, les soumissions et les paiements.', 'selfhost_export_help' => 'Nous recommandons de faire un mysqldump pour effectuer une sauvegarde complète.', 'JSON_file' => 'Fichier JSON', @@ -1382,7 +1382,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'wepay_payment_tos_agree' => 'J\'accepte les conditions d\'utilisation et la politique de confidentialité de WePay', 'privacy_policy' => 'Politique de confidentialité', 'wepay_payment_tos_agree_required' => 'Vous devez accepter les conditions d\'utilisation et la politique de confidentialité de WePay', - 'ach_email_prompt' => 'Veuillez entrer votre adresse courriel:', + 'ach_email_prompt' => 'Veuillez saisir votre adresse courriel:', 'verification_pending' => 'En attente de vérification', 'update_font_cache' => 'Veuillez actualiser la page pour mettre à jour le cache de la police d\'écriture', @@ -1780,12 +1780,12 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'archive_expense_category' => 'Archiver la catégorie', 'expense_categories' => 'Catégories de dépense', 'list_expense_categories' => 'Liste des catégories de dépense', - 'updated_expense_category' => 'La catégorie de dépense a été mise à jour avec succès', - 'created_expense_category' => 'La catégorie de dépense a été créé avec succès', - 'archived_expense_category' => 'La catégorie de dépense a été archivée avec succès', - 'archived_expense_categories' => ':count catégories de dépense ont été archivées avec succès', + 'updated_expense_category' => 'La catégorie de dépense a été mise à jour', + 'created_expense_category' => 'La catégorie de dépense a été créé', + 'archived_expense_category' => 'La catégorie de dépense a été archivée', + 'archived_expense_categories' => ':count catégories de dépense ont été archivées', 'restore_expense_category' => 'Rétablir la catégorie de dépense', - 'restored_expense_category' => 'La catégorie de dépense a été rétablie avec succès', + 'restored_expense_category' => 'La catégorie de dépense a été rétablie', 'apply_taxes' => 'Appliquer les taxes', 'min_to_max_users' => ':min de :max utilisateurs', 'max_users_reached' => 'Le nombre maximum d\'utilisateur a été atteint', @@ -1834,7 +1834,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'list_products' => 'Liste des produits', 'include_item_taxes_inline' => 'Inclure lestaxes par ligne dans le total des lignes', - 'created_quotes' => ':count soumission(s) ont été créées avec succès', + 'created_quotes' => ':count soumission(s) ont été créées', 'limited_gateways' => 'Note: Nous supportons une passerelle de carte de crédit par entreprise', 'warning' => 'Avertissement', @@ -1897,7 +1897,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'text' => 'Texte', 'expense_will_create' => 'dépense sera créée', 'expenses_will_create' => 'dépenses seront créée', - 'created_expenses' => ':count dépense(s) ont été créée(s) avec succès', + 'created_expenses' => ':count dépense(s) ont été créée(s)', 'translate_app' => 'Aidez-nous à améliorer nos traductions avec :link', 'expense_category' => 'Catégorie de dépense', @@ -1930,7 +1930,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'invoice_signature' => 'Signature', 'show_accept_invoice_terms' => 'Case à cocher pour les conditions de facturation', 'show_accept_invoice_terms_help' => 'Requiert du client qu\'il confirme et accepte les conditions de facturation', - 'show_accept_quote_terms' => 'Case à cocher pour les conditions de soumssion', + 'show_accept_quote_terms' => 'Case à cocher pour les conditions de soumission', 'show_accept_quote_terms_help' => 'Requiert du client qu\'il confirme et accepte les conditions de soumission', 'require_invoice_signature' => 'Signature de facture', 'require_invoice_signature_help' => 'Requiert une signature du client', @@ -1951,23 +1951,23 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'edit_project' => 'Éditer le projet', 'archive_project' => 'Archiver le projet', 'list_projects' => 'Lister les projets', - 'updated_project' => 'Le projet a été mis à jour avec succès', - 'created_project' => 'Le projet a été créé avec succès', - 'archived_project' => 'Le projet a été archivé avec succès', - 'archived_projects' => ':count projets ont été archivés avec succès', + 'updated_project' => 'Le projet a été mis à jour', + 'created_project' => 'Le projet a été créé', + 'archived_project' => 'Le projet a été archivé', + 'archived_projects' => ':count projets ont été archivés', 'restore_project' => 'Restaurer le projet', - 'restored_project' => 'Le projet a été restauré avec succès', + 'restored_project' => 'Le projet a été restauré', 'delete_project' => 'Supprimer le projet', - 'deleted_project' => 'Le projet a été supprimé avec succès', - 'deleted_projects' => ':count projets ont été supprimés avec succès', + 'deleted_project' => 'Le projet a été supprimé', + 'deleted_projects' => ':count projets ont été supprimés', 'delete_expense_category' => 'Supprimer la catégorie', - 'deleted_expense_category' => 'La catégorie a été supprimée avec succès', + 'deleted_expense_category' => 'La catégorie a été supprimée', 'delete_product' => 'Supprimer le produit', - 'deleted_product' => 'Le produit a été supprimé avec succès', - 'deleted_products' => ':count produits ont été supprimés avec succès', - 'restored_product' => 'Le produit a été restauré avec succès', + 'deleted_product' => 'Le produit a été supprimé', + 'deleted_products' => ':count produits ont été supprimés', + 'restored_product' => 'Le produit a été restauré', 'update_credit' => 'Mettre à jour un crédit', - 'updated_credit' => 'Le crédit a été mis à jour avec succès', + 'updated_credit' => 'Le crédit a été mis à jour', 'edit_credit' => 'Éditer le crédit', 'realtime_preview' => 'Prévisualisation en temps réel', 'realtime_preview_help' => 'Prévisualisation en temps réel de l\'actualisation PDF sur la page de facture lors de l\'édition.
Désactivez cette option pour améliorer les performances lorsque vous éditez les factures.', @@ -1988,8 +1988,8 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'promo_message' => 'Profitez de l\'offre avant le :expires et épargnez :amount sur la première année de notre plan Pro ou Entreprise.', 'discount_message' => 'L\'offre de :amount expire le :expires', 'mark_paid' => 'Marquer comme payée', - 'marked_sent_invoice' => 'La facture marquée a été envoyée avec succès', - 'marked_sent_invoices' => 'Les factures marquées ont été envoyées avec succès', + 'marked_sent_invoice' => 'La facture marquée a été envoyée', + 'marked_sent_invoices' => 'Les factures marquées ont été envoyées', 'invoice_name' => 'Facture', 'product_will_create' => 'produit sera créé', 'contact_us_response' => 'Nous avons bien reçu votre message. Nous y répondrons dans les plus bref délais.. Merci !', @@ -2027,11 +2027,11 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'notes_reminder2' => 'Deuxième rappel', 'notes_reminder3' => 'Troisième rappel', 'notes_reminder4' => 'Rappel', - 'bcc_email' => 'Courriel CCI', + 'bcc_email' => 'Cci', 'tax_quote' => 'Taxe de soumission', 'tax_invoice' => 'Taxe de facture', - 'emailed_invoices' => 'Les factures ont été envoyées par courriel avec succès', - 'emailed_quotes' => 'Les soumissions ont été envoyées par courriel avec succès', + 'emailed_invoices' => 'Les factures ont été envoyées par courriel', + 'emailed_quotes' => 'Les soumissions ont été envoyées par courriel', 'website_url' => 'URL du site web', 'domain' => 'Domaine', 'domain_help' => 'Utilisé sur le portail du client lors de l\'envoi des courriels.', @@ -2102,13 +2102,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'statement_issued_to' => 'Relevé émis pour', 'statement_to' => 'Relevé à', 'customize_options' => 'Personnaliser les options', - 'created_payment_term' => 'Le délai de paiement a été cré avec succès', - 'updated_payment_term' => 'Le délai de paiement a été mis à jour avec succès', - 'archived_payment_term' => 'Le délai de paiement a été archivé avec succès', + 'created_payment_term' => 'Le délai de paiement a été créé', + 'updated_payment_term' => 'Le délai de paiement a été mis à jour', + 'archived_payment_term' => 'Le délai de paiement a été archivé', 'resend_invite' => 'Renvoyer l\'invitation', 'credit_created_by' => 'Le crédit a été créé par le paiement :transaction_reference', - 'created_payment_and_credit' => 'Le paiement et le crédit ont été créés avec succès', - 'created_payment_and_credit_emailed_client' => 'Le paiement et le crédit ont été créés et envoyés par courriel au client avec succès', + 'created_payment_and_credit' => 'Le paiement et le crédit ont été créés', + 'created_payment_and_credit_emailed_client' => 'Le paiement et le crédit ont été créés et envoyés par courriel au client', 'create_project' => 'Créer un projet', 'create_vendor' => 'Créer un fournisseur', 'create_expense_category' => 'Créer une catégorie', @@ -2145,13 +2145,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'logo_warning_invalid' => 'Il y a eu un problème avec le fichier image. Veuillez essayer avec un autre format.', 'error_refresh_page' => 'Une erreur est survenue. Veuillez actualiser la page et essayer de nouveau.', 'data' => 'Données', - 'imported_settings' => 'Les paramètres ont été inmportés avec succès', + 'imported_settings' => 'Les paramètres ont été importés', 'reset_counter' => 'Remettre à zéro le compteur', 'next_reset' => 'Prochaine remise à zéro', 'reset_counter_help' => 'Remettre automatiquement à zéro les compteurs de facture et de soumission.', 'auto_bill_failed' => 'La facturation automatique de :invoice_number a échouée.', 'online_payment_discount' => 'Rabais de paiement en ligne', - 'created_new_company' => 'La nouvelle entreprise a été créée avec succès', + 'created_new_company' => 'La nouvelle entreprise a été créée', 'fees_disabled_for_gateway' => 'Les frais sont désactivés pour cette passerelle.', 'logout_and_delete' => 'Déconnexion / suppression du compte', 'tax_rate_type_help' => 'Lorsque sélectionné, les taux de taxes inclusifs ajustent le coût de l\'article de chaque ligne.
Seulement les taux de taxes exclusifs peuvent être utilisé comme défaut.', @@ -2168,7 +2168,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'delete_data' => 'Supprimer les données', 'purge_data_help' => 'Supprime définitivement toutes les données, mais garde les paramètres et le compte.', 'cancel_account_help' => 'Supprime le compte et toutes les données et paramètres de façon définitive.', - 'purge_successful' => 'Toutes les données de l\'entreprise ont été purgées avec succès', + 'purge_successful' => 'Toutes les données de l\'entreprise ont été purgées', 'forbidden' => 'Vous n\'avez pas l\'autorisation', 'purge_data_message' => 'Avertissement: Cette action est irréversible et va supprimer vos données de façon définitive.', 'contact_phone' => 'Téléphone du contact', @@ -2176,7 +2176,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'reply_to_email' => 'Courriel de réponse', 'reply_to_email_help' => 'Spécifie une adresse courriel de réponse', 'bcc_email_help' => 'Inclut de façon privée cette adresse avec les courriels du client.', - 'import_complete' => 'L\'importation a été complétée avec succès.', + 'import_complete' => 'L\'importation a été complétée.', 'confirm_account_to_import' => 'Veuillez confirmer votre compte pour l\'importation des données.', 'import_started' => 'L\'importation est en cours. Vous recevrez un courriel lorsqu\'elle sera complétée.', 'listening' => 'En écoute...', @@ -2186,7 +2186,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'voice_commands_feedback' => 'Nous travaillons activement à l\'amélioration de cette fonctionnalité. Si vous souhaitez l\'ajout d\'une commande sépcifique, veuillez nous contacter par courriel à :email.', 'payment_type_Venmo' => 'Venmo', 'payment_type_Money Order' => 'Mandat poste', - 'archived_products' => ':count produits archivés avec succès', + 'archived_products' => ':count produits archivés', 'recommend_on' => 'Il est recommandé d\'activer cette option.', 'recommend_off' => 'Il est recommandé de désactiver cette option.', 'notes_auto_billed' => 'Facturation automatique', @@ -2209,13 +2209,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'plan_price' => 'Tarification', 'wrong_confirmation' => 'Code de confirmation incorrect', 'oauth_taken' => 'Ces comptes ont déjà été enregistrés', - 'emailed_payment' => 'Le paiement a été envoyé par courriel avec succès', + 'emailed_payment' => 'Le paiement a été envoyé par courriel', 'email_payment' => 'Courriel de paiement', 'invoiceplane_import' => 'Utilisez ce :link pour importer vos données de InvoicePlane.', 'duplicate_expense_warning' => 'Avertissement: Ce :link pourrait être un doublon', 'expense_link' => 'dépense', 'resume_task' => 'Poursuivre la tâche', - 'resumed_task' => 'La tâche a été reprise avec succès', + 'resumed_task' => 'La tâche a été reprise', 'quote_design' => 'Design de soumission', 'default_design' => 'Design standard', 'custom_design1' => 'Design personnalisé 1', @@ -2235,7 +2235,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'host' => 'Hôte', 'database' => 'Base de données', 'test_connection' => 'Test de connexion', - 'from_name' => 'Nom de', + 'from_name' => 'Nom de l\'expéditeur', 'from_address' => 'Adresse de', 'port' => 'Port', 'encryption' => 'Cryptage', @@ -2246,7 +2246,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'label' => 'Libellé', 'service' => 'Service', 'update_payment_details' => 'Mettre à jour les infos de paiement', - 'updated_payment_details' => 'Les infos de paiement ont été mis à jour avec succès', + 'updated_payment_details' => 'Les informations de paiement ont été mis à jour', 'update_credit_card' => 'Mettre à jour la carte de crédit', 'recurring_expenses' => 'Dépenses récurrentes', 'recurring_expense' => 'Dépense récurrente', @@ -2254,13 +2254,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'edit_recurring_expense' => 'Éditer la dépense récurrente', 'archive_recurring_expense' => 'Archiver la dépense récurrente', 'list_recurring_expense' => 'Lister les dépenses récurrentes', - 'updated_recurring_expense' => 'La dépense récurrente a été mise à jour avec succès', - 'created_recurring_expense' => 'La dépense récurrente a été créée avec succès', - 'archived_recurring_expense' => 'La dépense récurrente a été archivée avec succès', + 'updated_recurring_expense' => 'La dépense récurrente a été mise à jour', + 'created_recurring_expense' => 'La dépense récurrente a été créée', + 'archived_recurring_expense' => 'La dépense récurrente a été archivée', 'restore_recurring_expense' => 'Restaurer la dépense récurrente', - 'restored_recurring_expense' => 'La dépense récurrente a été restaurée avec succès', + 'restored_recurring_expense' => 'La dépense récurrente a été restaurée', 'delete_recurring_expense' => 'Supprimer la dépense récurrente', - 'deleted_recurring_expense' => 'Le projet a été supprimé avec succès', + 'deleted_recurring_expense' => 'Le projet a été supprimé', 'view_recurring_expense' => 'Visualiser la dépense récurrente', 'taxes_and_fees' => 'Taxes et frais', 'import_failed' => 'L\'importation a échoué', @@ -2446,14 +2446,14 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'recent_errors' => 'erreurs récentes', 'customer' => 'Client', 'customers' => 'Clients', - 'created_customer' => 'Le client a été créé avec succès', - 'created_customers' => ':count clients ont été créés avec succès', + 'created_customer' => 'Le client a été créé', + 'created_customers' => ':count clients ont été créés', - 'purge_details' => 'Les données de votre entreprise (:account) ont été supprimées avec succès.', - 'deleted_company' => 'L\'entreprise a été supprimée avec succès', - 'deleted_account' => 'Le compte a été supprimé avec succès', - 'deleted_company_details' => 'Votre entreprise (:account) a été supprimée avec succès.', - 'deleted_account_details' => 'Votre compte (:account) a été supprimé avec succès.', + 'purge_details' => 'Les données de votre entreprise (:account) ont été supprimées', + 'deleted_company' => 'L\'entreprise a été supprimée', + 'deleted_account' => 'Le compte a été supprimé', + 'deleted_company_details' => 'Votre entreprise (:account) a été supprimée', + 'deleted_account_details' => 'Votre compte (:account) a été supprimé', 'alipay' => 'Alipay', 'sofort' => 'Sofort', @@ -2474,7 +2474,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'save_or_discard' => 'Sauvegarder ou annuler les changements', 'discard_changes' => 'Annuler les changements', 'tasks_not_enabled' => 'Les tâches ne sont pas activées.', - 'started_task' => 'La tâche a démaré avec succès', + 'started_task' => 'La tâche a démarré', 'create_client' => 'Créer un client', 'download_desktop_app' => 'Télécharger l\'app. de bureau', @@ -2525,7 +2525,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'two_factor_setup_help' => 'Scannez le code barre avec une :link app compatible.', 'one_time_password' => 'Mot de passe à usage unique', 'set_phone_for_two_factor' => 'Indiquez votre numéro de cellulaire pour activer.', - 'enabled_two_factor' => 'Vous avez activé authentification à deux facteurs avec succès.', + 'enabled_two_factor' => 'Vous avez activé l\'authentification à deux facteurs.', 'add_product' => 'Ajouter un produit', 'email_will_be_sent_on' => 'Note: le courriel sera envoyé le :date.', 'invoice_product' => 'Produit de facture', @@ -2559,8 +2559,8 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'cancel_schedule' => 'Annuler la planification', 'scheduled_report' => 'Rapport planifié', 'scheduled_report_help' => 'Envoyer le rapport :report au :format à :email', - 'created_scheduled_report' => 'Le rapport est planifié avec succès', - 'deleted_scheduled_report' => 'Le rapport planifié a été annulé avec succès', + 'created_scheduled_report' => 'Le rapport est planifié', + 'deleted_scheduled_report' => 'Le rapport planifié a été annulé', 'scheduled_report_attached' => 'Votre rapport planifié :type est joint.', 'scheduled_report_error' => 'La création du rapport planifié a échoué', 'invalid_one_time_password' => 'Mot de passe unique invalide', @@ -2599,11 +2599,11 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'subscription_event_20' => 'Tâche supprimée', 'subscription_event_21' => 'Soumission approuvée', 'subscriptions' => 'Abonnements', - 'updated_subscription' => 'Abonnement mis à jour avec succès', - 'created_subscription' => 'Abonnement créé avec succès', + 'updated_subscription' => 'L\'abonnement a été mis à jour', + 'created_subscription' => 'L\'abonnement a été créé', 'edit_subscription' => 'Éditer l\'abonnement', 'archive_subscription' => 'Archiver l\'abonnement', - 'archived_subscription' => 'Abonnement archivé avec succès', + 'archived_subscription' => 'L\'abonnement a été archivé', 'project_error_multiple_clients' => 'Les projets ne peuvent pas être associés à plus d\'un client', 'invoice_project' => 'Facturer le projet', 'module_recurring_invoice' => 'Factures récurrentes', @@ -2633,7 +2633,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'trust_for_30_days' => 'Faire confiance pour 30 jours', 'trust_forever' => 'Toujours faire confiance', 'kanban' => 'Kanban', - 'backlog' => 'En retard', + 'backlog' => 'Arriéré', 'ready_to_do' => 'Prêt à exécuter', 'in_progress' => 'En cours', 'add_status' => 'Ajouter un état', @@ -2656,7 +2656,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'amount_greater_than_balance' => 'Le montant est plus grand que le solde de la facture. Un crédit sera créé avec le montant restant.', 'custom_fields_tip' => 'Utilisez Étiquette|Option1,Option2 pour afficher une boîte de sélection.', 'client_information' => 'Information du client', - 'updated_client_details' => 'Les informations du client ont été mises à jour avec succès', + 'updated_client_details' => 'Les informations du client ont été mises à jour', 'auto' => 'Auto', 'tax_amount' => 'Montant de taxe', 'tax_paid' => 'Taxe payée', @@ -2669,13 +2669,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'edit_proposal' => 'Éditer la proposition', 'archive_proposal' => 'Archiver la proposition', 'delete_proposal' => 'Supprimer la proposition', - 'created_proposal' => 'La proposition a été créée avec succès', - 'updated_proposal' => 'La proposition a été mise à jour avec succès', - 'archived_proposal' => 'La proposition a été archivée avec succès', - 'deleted_proposal' => 'La proposition a été archivée avec succès', - 'archived_proposals' => ':count propositions ont été archivées avec succès', - 'deleted_proposals' => ':count propositions ont été archivées avec succès', - 'restored_proposal' => 'La proposition a été restaurée avec succès', + 'created_proposal' => 'La proposition a été créée', + 'updated_proposal' => 'La proposition a été mise à jour', + 'archived_proposal' => 'La proposition a été archivée', + 'deleted_proposal' => 'La proposition a été archivée', + 'archived_proposals' => ':count propositions ont été archivées', + 'deleted_proposals' => ':count propositions ont été archivées', + 'restored_proposal' => 'La proposition a été restaurée', 'restore_proposal' => 'Restaurer la proposition', 'snippet' => 'Fragment', 'snippets' => 'Fragments', @@ -2685,13 +2685,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'edit_proposal_snippet' => 'Éditer le fragment', 'archive_proposal_snippet' => 'Archiver le frament', 'delete_proposal_snippet' => 'Supprimer le fragment', - 'created_proposal_snippet' => 'Le fragment a été créé avec succès', - 'updated_proposal_snippet' => 'Le fragment a été mis à jour avec succès', - 'archived_proposal_snippet' => 'Le fragment a été archivé avec succès', - 'deleted_proposal_snippet' => 'Le fragment a été archivé avec succès', - 'archived_proposal_snippets' => ':count fragments ont été archivés avec succès', - 'deleted_proposal_snippets' => ':count fragments ont été archivés avec succès', - 'restored_proposal_snippet' => 'Le fragment a été restauré avec succès', + 'created_proposal_snippet' => 'Le fragment a été créé', + 'updated_proposal_snippet' => 'Le fragment a été mis à jour', + 'archived_proposal_snippet' => 'Le fragment a été archivé', + 'deleted_proposal_snippet' => 'Le fragment a été archivé', + 'archived_proposal_snippets' => ':count fragments ont été archivés', + 'deleted_proposal_snippets' => ':count fragments ont été archivés', + 'restored_proposal_snippet' => 'Le fragment a été restauré', 'restore_proposal_snippet' => 'Restaurer le fragment', 'template' => 'Modèle', 'templates' => 'Modèles', @@ -2701,13 +2701,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'edit_proposal_template' => 'Éditer le modèle', 'archive_proposal_template' => 'Archiver le modèle', 'delete_proposal_template' => 'Supprimer le modèle', - 'created_proposal_template' => 'Le modèle a été créé avec succès', - 'updated_proposal_template' => 'Le modèle a été mis à jour avec succès', - 'archived_proposal_template' => 'Le modèle a été archivé avec succès', - 'deleted_proposal_template' => 'Le modèle a été archivé avec succès', - 'archived_proposal_templates' => ':count modèles ont été archivés avec succès', - 'deleted_proposal_templates' => ':count modèles ont été archivés avec succès', - 'restored_proposal_template' => 'Le modèle a été restauré avec succès', + 'created_proposal_template' => 'Le modèle a été créé', + 'updated_proposal_template' => 'Le modèle a été mis à jour', + 'archived_proposal_template' => 'Le modèle a été archivé', + 'deleted_proposal_template' => 'Le modèle a été archivé', + 'archived_proposal_templates' => ':count modèles ont été archivés', + 'deleted_proposal_templates' => ':count modèles ont été archivés', + 'restored_proposal_template' => 'Le modèle a été restauré', 'restore_proposal_template' => 'Restaurer le modèle', 'proposal_category' => 'Catégorie', 'proposal_categories' => 'Catégories', @@ -2715,12 +2715,12 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'edit_proposal_category' => 'Éditer la catégorie', 'archive_proposal_category' => 'Archiver la catégorie', 'delete_proposal_category' => 'Supprimer la catégorie', - 'created_proposal_category' => 'La catégorie a été créée avec succès', - 'updated_proposal_category' => 'La catégorie a été mise à jour avec succès', - 'archived_proposal_category' => 'La catégorie a été archivée avec succès', - 'deleted_proposal_category' => 'La catégorie a été archivée avec succès', - 'archived_proposal_categories' => ':count catégories ont été archivées avec succès', - 'deleted_proposal_categories' => ':count catégories ont été archivées avec succès', + 'created_proposal_category' => 'La catégorie a été créée', + 'updated_proposal_category' => 'La catégorie a été mise à jour', + 'archived_proposal_category' => 'La catégorie a été archivée', + 'deleted_proposal_category' => 'La catégorie a été archivée', + 'archived_proposal_categories' => ':count catégories ont été archivées', + 'deleted_proposal_categories' => ':count catégories ont été archivées', 'restored_proposal_category' => 'La catégorie a été restaurée', 'restore_proposal_category' => 'Restaurer la catégorie', 'delete_status' => 'Supprimer l\'état', @@ -2732,7 +2732,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'proposal_email' => 'Courriel de proposition', 'proposal_subject' => 'Nouvelle proposition :number pour :account', 'proposal_message' => 'Pour visualiser votre proposition de :amount, suivez le lien ci-dessous.', - 'emailed_proposal' => 'La proposition a été envoyée par courriel avec succès', + 'emailed_proposal' => 'La proposition a été envoyée par courriel', 'load_template' => 'Charger le modèle', 'no_assets' => 'Aucune image, glisser-déposer pour la téléverser', 'add_image' => 'Ajouter une image', @@ -2763,7 +2763,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'total_sent' => 'Total envoyés', 'total_opened' => 'Total ouverts', 'total_bounced' => 'Total rejetés', - 'total_spam' => 'Total spams', + 'total_spam' => 'Total pourriels', 'platforms' => 'Plateformes', 'email_clients' => 'Gestionnaires de courriels', 'mobile' => 'Mobile', @@ -2776,7 +2776,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'slack_webhook_help' => 'Recevoir les notifications de paiement en utilisant :link.', 'slack_incoming_webhooks' => 'Webhooks web entrants de Slack', 'accept' => 'Accepter', - 'accepted_terms' => 'Les plus récentes conditions d\'utilisation ont été acceptées avec succès', + 'accepted_terms' => 'Les plus récentes conditions d\'utilisation ont été acceptées', 'invalid_url' => 'URL invalide', 'workflow_settings' => 'Paramètres de flux de travail', 'auto_email_invoice' => 'Envoi automatique', @@ -2793,7 +2793,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'quote_workflow' => 'Flux de soumission', 'client_must_be_active' => 'Erreur : le client doit être actif', 'purge_client' => 'Purger client', - 'purged_client' => 'Le client a été purgé avec succès', + 'purged_client' => 'Le client a été purgé', 'purge_client_warning' => 'Tous les enregistrements (factures, tâches, dépenses, documents, etc...) seront aussi supprimés.', 'clone_product' => 'Cloner le produit', 'item_details' => 'Détails de l\'article', @@ -2804,7 +2804,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'got_it' => 'J\'ai compris !', 'vendor_will_create' => 'fournisseur sera créé', 'vendors_will_create' => 'fournisseurs seront créés', - 'created_vendors' => ':count fournisseur(s) ont été créé(s) avec succès', + 'created_vendors' => ':count fournisseur(s) ont été créé(s)', 'import_vendors' => 'Importer des fournisseurs', 'company' => 'Entreprise', 'client_field' => 'Champ Client', @@ -2889,7 +2889,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'invoice_status_4' => 'Approuvée', 'invoice_status_5' => 'Partielle', 'invoice_status_6' => 'Payée', - 'marked_invoice_as_sent' => 'La facture a été marquée comme envoyée avec succès', + 'marked_invoice_as_sent' => 'La facture a été marquée comme envoyée', 'please_enter_a_client_or_contact_name' => 'Veuillez saisir un nom de client ou de contact', 'restart_app_to_apply_change' => 'Redémarrez l\'app pour mettre à jour les changements', 'refresh_data' => 'Actualiser les données', @@ -2918,10 +2918,10 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'payment_status_3' => 'Échouée', 'payment_status_4' => 'Complétée', 'payment_status_5' => 'Partiellement remboursée', - 'payment_status_6' => 'Remboursée', + 'payment_status_6' => 'Remboursé', 'send_receipt_to_client' => 'Envoyer un reçu au client', - 'refunded' => 'Remboursée', - 'marked_quote_as_sent' => 'La soumission a été marquée comme envoyée avec succès', + 'refunded' => 'Remboursé', + 'marked_quote_as_sent' => 'La soumission a été marquée comme envoyée', 'custom_module_settings' => 'Paramètres personnalisés de modules', 'ticket' => 'Billet', 'tickets' => 'Billets', @@ -2932,13 +2932,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'archive_ticket' => 'Archiver le billet', 'restore_ticket' => 'Restaurer le billet', 'delete_ticket' => 'Supprimer le billet', - 'archived_ticket' => 'Le billet a été archivé avec succès', - 'archived_tickets' => 'Les billets ont été archivés avec succès', - 'restored_ticket' => 'Le billet a été restauré avec succès', - 'deleted_ticket' => 'Le billet a été supprimé avec succès', + 'archived_ticket' => 'Le billet a été archivé', + 'archived_tickets' => 'Les billets ont été archivés', + 'restored_ticket' => 'Le billet a été restauré', + 'deleted_ticket' => 'Le billet a été supprimé', 'open' => 'Ouvert', 'new' => 'Nouveau', - 'closed' => 'Fermé', + 'closed' => 'Désactivé', 'reopened' => 'Réouvert', 'priority' => 'Priorité', 'last_updated' => 'Dernière mise à jour', @@ -2960,7 +2960,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'ticket_update' => 'Mettre à jour le billet', 'ticket_settings' => 'Paramètres des billets', 'updated_ticket' => 'Billet mis à jour', - 'mark_spam' => 'Marquer comme spam', + 'mark_spam' => 'Marquer comme pourriel', 'local_part' => 'Partie locale', 'local_part_unavailable' => 'Nom déjà pris', 'local_part_available' => 'Nom disponible', @@ -2987,18 +2987,18 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'default_priority' => 'Priorité par défaut', 'alert_new_comment_id' => 'Nouveau commentaire', 'alert_comment_ticket_help' => 'En sélectionnant un modèle, une notification (à l\'agent) sera envoyée lorsqu\'un commentaire est fait', - 'alert_comment_ticket_email_help' => 'Courriels séparés par une virgule pour CCI sur un nouveau commentaire.', + 'alert_comment_ticket_email_help' => 'Courriels séparés par une virgule pour Cci sur un nouveau commentaire.', 'new_ticket_notification_list' => 'Notifications de nouveaux billets additionnels', 'update_ticket_notification_list' => 'Notifications de nouveaux commentaires additionnels', 'comma_separated_values' => 'admin@exemple.com, supervisor@exemple.com', 'alert_ticket_assign_agent_id' => 'Assignation de billet', 'alert_ticket_assign_agent_id_hel' => 'En sélectionnant un modèle, une notification (à l\'agent) sera envoyée lorsqu\'un billet est assigné.', 'alert_ticket_assign_agent_id_notifications' => 'Notifications de billets assignés additionnels', - 'alert_ticket_assign_agent_id_help' => 'Courriels séparés par une virgule pour CCI pour un billet assigné.', - 'alert_ticket_transfer_email_help' => 'Courriels séparés par une virgule pour CCI sur un billet transféré.', + 'alert_ticket_assign_agent_id_help' => 'Courriels séparés par une virgule pour Cci pour un billet assigné.', + 'alert_ticket_transfer_email_help' => 'Courriels séparés par une virgule pour Cci sur un billet transféré.', 'alert_ticket_overdue_agent_id' => 'Billet en retard', 'alert_ticket_overdue_email' => 'Notifications de billets en retard additionnels', - 'alert_ticket_overdue_email_help' => 'Courriels séparés par une virgule pour CCI sur un billet en retard.', + 'alert_ticket_overdue_email_help' => 'Courriels séparés par une virgule pour Cci sur un billet en retard.', 'alert_ticket_overdue_agent_id_help' => 'En sélectionnant un modèle, une notification (à l\'agent) sera envoyée lorsqu\'un billet est en retard.', 'ticket_master' => 'Gestionnaire de billet', 'ticket_master_help' => 'Peut assigner et transférer les billets. Assigné par défaut pour tous les billets.', @@ -3015,11 +3015,11 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'created_ticket_template' => 'Modèle de billet créés', 'archive_ticket_template' => 'Archiver le modèle', 'restore_ticket_template' => 'Restaurer le modèle', - 'archived_ticket_template' => 'Le modèle a été archivé avec succès', - 'restored_ticket_template' => 'Le modèle a été restauré avec succès', + 'archived_ticket_template' => 'Le modèle a été archivé', + 'restored_ticket_template' => 'Le modèle a été restauré', 'close_reason' => 'Faites-nous savoir pourquoi vous fermez ce billet', 'reopen_reason' => 'Faites-nous savoir pourquoi vous souhaitez réouvrir ce billet', - 'enter_ticket_message' => 'Veuillez entrer un message pour mettre à jour ce billet', + 'enter_ticket_message' => 'Veuillez saisir un message pour mettre à jour ce billet', 'show_hide_all' => 'Afficher / masquer tout', 'subject_required' => 'Objet requis', 'mobile_refresh_warning' => 'Si vous utilisez l\'app mobile, vous devez faire une actualisation complète.', @@ -3086,7 +3086,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'biometric_authentication' => 'Connexion biométrique', 'auto_start_tasks' => 'Démarrage de tâches automatique', 'budgeted' => 'Budgété', - 'please_enter_a_name' => 'Veuillez entrer un nom', + 'please_enter_a_name' => 'Veuillez saisir un nom', 'click_plus_to_add_time' => 'Cliquez sur + pour ajouter du temps', 'design' => 'Conception', 'password_is_too_short' => 'Le mot de passe est trop court', @@ -3099,11 +3099,11 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'upload_file' => 'Téléverser un fichier', 'new_document' => 'Nouveau document', 'edit_document' => 'Éditer un document', - 'uploaded_document' => 'Le document a été téléversé avec succès', - 'updated_document' => 'Le document a été mis à jour avec succès', - 'archived_document' => 'Le document a été archivé avec succès', - 'deleted_document' => 'Le document a été supprimé avec succès', - 'restored_document' => 'Le document a été restauré avec succès', + 'uploaded_document' => 'Le document a été téléversé', + 'updated_document' => 'Le document a été mis à jour', + 'archived_document' => 'Le document a été archivé', + 'deleted_document' => 'Le document a été supprimé', + 'restored_document' => 'Le document a été restauré', 'no_history' => 'Aucun historique', 'expense_status_1' => 'Connecté', 'expense_status_2' => 'En attente', @@ -3119,8 +3119,8 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'enterprise_plan' => 'Plan Entreprise', 'count_users' => ':count utilisateurs', 'upgrade' => 'Mettre à niveau', - 'please_enter_a_first_name' => 'Veuillez entrer votre prénom', - 'please_enter_a_last_name' => 'Veuillez entrer votre nom', + 'please_enter_a_first_name' => 'Veuillez saisir votre prénom', + 'please_enter_a_last_name' => 'Veuillez saisir votre nom', 'please_agree_to_terms_and_privacy' => 'Vous devez accepter les conditions et la politique de confidentialité pour créer un compte.', 'i_agree_to_the' => 'J\'accepte', 'terms_of_service_link' => 'les conditions', @@ -3134,10 +3134,10 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'after_due_date' => 'Après l\'échéance', 'after_invoice_date' => 'Après la date de facturation', 'filtered_by_user' => 'Filtré par utilisateur', - 'created_user' => 'L\'utilisateur a été créé avec succès', + 'created_user' => 'L\'utilisateur a été créé', 'primary_font' => 'Police d\'écriture principale', 'secondary_font' => 'Police d\'écriture secondaire', - 'number_padding' => 'Marge interne du nombre', + 'number_padding' => 'Disposition du nombre', 'general' => 'Général', 'surcharge_field' => 'Champ Surcharge', 'company_value' => 'Valeur de compagnie', @@ -3160,18 +3160,18 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'credentials' => 'Identifiants', 'require_billing_address_help' => 'Le client doit fournir son adresse de facturation', 'require_shipping_address_help' => 'Le client doit fournir son adresse de livraison', - 'deleted_tax_rate' => 'Le taux de taxe a été supprimé avec succès', - 'restored_tax_rate' => 'Le taux de taxe a été restauré avec succès', + 'deleted_tax_rate' => 'Le taux de taxe a été supprimé', + 'restored_tax_rate' => 'Le taux de taxe a été restauré', 'provider' => 'Fournisseur', 'company_gateway' => 'Passerelle de paiement', 'company_gateways' => 'Passerelles de paiement', 'new_company_gateway' => 'Nouvelle passerelle', 'edit_company_gateway' => 'Éditer la passerelle', - 'created_company_gateway' => 'La passerelle a été créée avec succès', - 'updated_company_gateway' => 'La passerelle a été mise à jour avec succès', - 'archived_company_gateway' => 'La passerelle a été archivée avec succès', - 'deleted_company_gateway' => 'La passerelle a été supprimée avec succès', - 'restored_company_gateway' => 'La passerelle a été restaurée avec succès', + 'created_company_gateway' => 'La passerelle a été créée', + 'updated_company_gateway' => 'La passerelle a été mise à jour', + 'archived_company_gateway' => 'La passerelle a été archivée', + 'deleted_company_gateway' => 'La passerelle a été supprimée', + 'restored_company_gateway' => 'La passerelle a été restaurée', 'continue_editing' => 'Continuez l\'édition', 'default_value' => 'Valeur par défaut', 'currency_format' => 'Format de devise', @@ -3191,14 +3191,14 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'groups' => 'Groupes', 'new_group' => 'Nouveau groupe', 'edit_group' => 'Éditer le groupe', - 'created_group' => 'Le groupe a été créé avec succès', - 'updated_group' => 'Le groupe a été mis à jour avec succès', - 'archived_group' => 'Le groupe a été archivé avec succès', - 'deleted_group' => 'Le groupe a été supprimé avec succès', - 'restored_group' => 'Le groupe a été restauré avec succès', + 'created_group' => 'Le groupe a été créé', + 'updated_group' => 'Le groupe a été mis à jour', + 'archived_group' => 'Le groupe a été archivé', + 'deleted_group' => 'Le groupe a été supprimé', + 'restored_group' => 'Le groupe a été restauré', 'upload_logo' => 'Téléverser le logo', - 'uploaded_logo' => 'Le logo a été téléversé avec succès', - 'saved_settings' => 'Les paramètres ont été sauvegardés avec succès', + 'uploaded_logo' => 'Le logo a été téléversé', + 'saved_settings' => 'Les paramètres ont été sauvegardés', 'device_settings' => 'Paramètres de l\'appareil', 'credit_cards_and_banks' => 'Cartes de crédit et banques', 'price' => 'Prix', @@ -3295,7 +3295,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'client_portal_tasks' => 'Tâches du portail client', 'client_portal_dashboard' => 'Tableau de bord du portail client', 'please_enter_a_value' => 'Veuillez saisir une valeur', - 'deleted_logo' => 'Le logo a été supprimé avec succès', + 'deleted_logo' => 'Le logo a été supprimé', 'generate_number' => 'Générer un nombre', 'when_saved' => 'Lors de la sauvegarde', 'when_sent' => 'Lors de l\'envoi', @@ -3337,13 +3337,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'dropdown' => 'Liste déroulante', 'field_type' => 'Type de champ', 'recover_password_email_sent' => 'Un courriel a été envoyé pour la récupération du mot de passe', - 'removed_user' => 'L\'utilisateur a été retiré avec succès', + 'removed_user' => 'L\'utilisateur a été retiré', 'freq_three_years' => 'Trois ans', 'military_time_help' => 'Affichage 24h', 'click_here_capital' => 'Cliquez ici', - 'marked_invoice_as_paid' => 'La facture a été marquée comme envoyée avec succès', - 'marked_invoices_as_sent' => 'Les factures ont été marquées comme envoyées avec succès', - 'marked_invoices_as_paid' => 'Les factures ont été marquées comme envoyées avec succès', + 'marked_invoice_as_paid' => 'La facture a été marquée comme envoyée', + 'marked_invoices_as_sent' => 'Les factures ont été marquées comme envoyées', + 'marked_invoices_as_paid' => 'Les factures ont été marquées comme envoyées', 'activity_57' => 'Le système n\'a pas pu envoyer le courriel de la facture :invoice', 'custom_value3' => 'Valeur personnalisée 3', 'custom_value4' => 'Valeur personnalisée 4', @@ -3412,14 +3412,14 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'credit_footer' => 'Pied de page pour crédit', 'credit_terms' => 'Conditions d\'utilisation pour crédit', 'untitled_company' => 'Entreprise sans nom', - 'added_company' => 'L\'entreprise a été ajoutée avec succès', + 'added_company' => 'L\'entreprise a été ajoutée', 'supported_events' => 'Événements pris en charge', 'custom3' => 'Troisième personnalisé', 'custom4' => 'Quatrième personnalisée', 'optional' => 'Optionnel', 'license' => 'Licence', 'invoice_balance' => 'Solde de facture', - 'saved_design' => 'Le modèle a été sauvegardé avec succès', + 'saved_design' => 'Le modèle a été sauvegardé', 'client_details' => 'Informations du client', 'company_address' => 'Adresse de l\'entreprise', 'quote_details' => 'Informations de la soumission', @@ -3440,7 +3440,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'receive_all_notifications' => 'Recevoir toutes les notifications', 'purchase_license' => 'Acheter une licence', 'enable_modules' => 'Activer les modules', - 'converted_quote' => 'La soumission a été convertie avec succès', + 'converted_quote' => 'La soumission a été convertie', 'credit_design' => 'Design de crédit', 'includes' => 'Inclusions', 'css_framework' => 'Framework CSS', @@ -3448,27 +3448,27 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'designs' => 'Designs', 'new_design' => 'Nouveau design', 'edit_design' => 'Éditer le design', - 'created_design' => 'Le modèle a été créé avec succès', - 'updated_design' => 'Le modèle a été mis à jour avec succès', - 'archived_design' => 'Le modèle a été archivé avec succès', - 'deleted_design' => 'Le modèle a été supprimé avec succès', - 'removed_design' => 'Le modèle a été retiré avec succès', - 'restored_design' => 'Le modèle a été restauré avec succès', + 'created_design' => 'Le modèle a été créé', + 'updated_design' => 'Le modèle a été mis à jour', + 'archived_design' => 'Le modèle a été archivé', + 'deleted_design' => 'Le modèle a été supprimé', + 'removed_design' => 'Le modèle a été retiré', + 'restored_design' => 'Le modèle a été restauré', 'recurring_tasks' => 'Tâches récurrentes', - 'removed_credit' => 'Le crédit a été retiré avec succès', + 'removed_credit' => 'Le crédit a été retiré', 'latest_version' => 'Dernière version', 'update_now' => 'Mettre à jour', 'a_new_version_is_available' => 'Une nouvelle version de l\'application web est disponible', 'update_available' => 'Mise à jour disponible', - 'app_updated' => 'La mise à jour a été complétée avec succès', + 'app_updated' => 'La mise à jour a été complétée', 'integrations' => 'Intégrations', 'tracking_id' => 'ID de suivi', 'slack_webhook_url' => 'URL du Webhook Slack', 'partial_payment' => 'Paiement partiel', 'partial_payment_email' => 'Courriel du paiement partiel', 'clone_to_credit' => 'Cloner au crédit', - 'emailed_credit' => 'Le crédit a envoyé par courriel avec succès', - 'marked_credit_as_sent' => 'Le crédit a été marqué comme envoyé avec succès', + 'emailed_credit' => 'Le crédit a envoyé par courriel', + 'marked_credit_as_sent' => 'Le crédit a été marqué comme envoyé', 'email_subject_payment_partial' => 'Sujet du courriel de paiement partiel', 'is_approved' => 'Est approuvé', 'migration_went_wrong' => 'Oups, quelque chose n\'a pas bien fonctionné! Veuillez vous assurer que vous avez bien configuré une instance de Invoice Ninja v5 avant de commencer la migration.', @@ -3476,7 +3476,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'email_credit' => 'Crédit par courriel', 'client_email_not_set' => 'Le client n\'a pas d\'adresse courriel définie', 'ledger' => 'Grand livre', - 'view_pdf' => 'Voir PDF', + 'view_pdf' => 'Voir le PDF', 'all_records' => 'Tous les enregistrements', 'owned_by_user' => 'Propriété de l\'utilisateur', 'credit_remaining' => 'Crédit restant', @@ -3486,9 +3486,9 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'configure_payment_terms' => 'Configuration des délais de paiements', 'payment_term' => 'Délai de paiement', 'new_payment_term' => 'Nouveau délai de paiement', - 'deleted_payment_term' => 'Le délai de paiement a été supprimé avec succès', - 'removed_payment_term' => 'Le délai de paiement a été retiré avec succès', - 'restored_payment_term' => 'Le délai de paiement a été restauré avec succès', + 'deleted_payment_term' => 'Le délai de paiement a été supprimé', + 'removed_payment_term' => 'Le délai de paiement a été retiré', + 'restored_payment_term' => 'Le délai de paiement a été restauré', 'full_width_editor' => 'Éditeur pleine hauteur', 'full_height_filter' => 'Filtre pleine hauteur', 'email_sign_in' => 'Connexion par courriel', @@ -3521,10 +3521,10 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'search_payments' => 'Recherche de paiements', 'search_groups' => 'Recherche de groupes', 'search_company' => 'Recherche d\'entreprises', - 'cancelled_invoice' => 'La facture a été annulée avec succès', - 'cancelled_invoices' => 'Les factures ont été annulées avec succès', - 'reversed_invoice' => 'La facture a été inversée avec succès', - 'reversed_invoices' => 'Les factures ont été inversées avec succès', + 'cancelled_invoice' => 'La facture a été annulée', + 'cancelled_invoices' => 'Les factures ont été annulées', + 'reversed_invoice' => 'La facture a été inversée', + 'reversed_invoices' => 'Les factures ont été inversées', 'reverse' => 'Inverse', 'filtered_by_project' => 'Filtrer par projet', 'google_sign_in' => 'Connexion avec Google', @@ -3551,7 +3551,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'reminder3_sent' => 'Rappel 3 envoyé', 'reminder_last_sent' => 'Dernier envoi de rappel', 'pdf_page_info' => 'Page :current de :total', - 'emailed_credits' => 'Les crédits ont été envoyés par courriel avec succès', + 'emailed_credits' => 'Les crédits ont été envoyés par courriel', 'view_in_stripe' => 'Voir dans Stripe', 'rows_per_page' => 'Rangées par page', 'apply_payment' => 'Appliquer le paiement', @@ -3607,17 +3607,17 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'webhooks' => 'Webhooks', 'new_webhook' => 'Nouveau Webhook', 'edit_webhook' => 'Éditer le Webhook', - 'created_webhook' => 'Le webhook a été créé avec succès', - 'updated_webhook' => 'Le webhook a été mis à jour avec succès', - 'archived_webhook' => 'Le webhook a été archivé avec succès', - 'deleted_webhook' => 'Le webhook a été supprimé avec succès', - 'removed_webhook' => 'Le webhook a été retiré avec succès', - 'restored_webhook' => 'Le webhook a été restauré avec succès', + 'created_webhook' => 'Le webhook a été créé', + 'updated_webhook' => 'Le webhook a été mis à jour', + 'archived_webhook' => 'Le webhook a été archivé', + 'deleted_webhook' => 'Le webhook a été supprimé', + 'removed_webhook' => 'Le webhook a été retiré', + 'restored_webhook' => 'Le webhook a été restauré', 'search_tokens' => 'Recherche de :count jetons', 'search_token' => 'Recherche de 1 jeton', 'new_token' => 'Nouveau jeton', - 'removed_token' => 'Le jeton a été retiré avec succès', - 'restored_token' => 'Le jeton a été restauré avec succès', + 'removed_token' => 'Le jeton a été retiré', + 'restored_token' => 'Le jeton a été restauré', 'client_registration' => 'Enregistrement d\'un client', 'client_registration_help' => 'Autoriser le client à s\'inscrire sur le portail', 'customize_and_preview' => 'Personnaliser et prévisualiser', @@ -3639,7 +3639,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'created_on' => 'Créé le', 'payment_status_-1' => 'Non appliqué', 'lock_invoices' => 'Verrouiller les factures', - 'show_table' => 'Affiche la table', + 'show_table' => 'Afficher la liste', 'show_list' => 'Afficher la liste', 'view_changes' => 'Visualiser les changements', 'force_update' => 'Forcer la mise à jour', @@ -3661,9 +3661,9 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'total_taxes' => 'Taxes totales', 'line_taxes' => 'Taxes par ligne', 'total_fields' => 'Champs des totaux', - 'stopped_recurring_invoice' => 'La facture récurrente a été arrêtée avec succès', - 'started_recurring_invoice' => 'La facture récurrente a été démarrée avec succès', - 'resumed_recurring_invoice' => 'La facture récurrente a été reprise avec succès', + 'stopped_recurring_invoice' => 'La facture récurrente a été arrêtée', + 'started_recurring_invoice' => 'La facture récurrente a été démarrée', + 'resumed_recurring_invoice' => 'La facture récurrente a été reprise', 'gateway_refund' => 'Remboursement de passerelle', 'gateway_refund_help' => 'Procéder au remboursement avec la passerelle de paiement', 'due_date_days' => 'Date d\'échéance', @@ -3672,12 +3672,12 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'first_day_of_the_month' => 'Premier jour du mois', 'last_day_of_the_month' => 'Dernier jour du mois', 'use_payment_terms' => 'Utiliser les délais de paiement', - 'endless' => 'Sans fin', + 'endless' => 'Perpétuel', 'next_send_date' => 'Prochaine date d\'envoi', 'remaining_cycles' => 'Cycles restants', - 'created_recurring_invoice' => 'La facture récurrente a été créée avec succès', - 'updated_recurring_invoice' => 'La facture récurrente a été mise à jour avec succès', - 'removed_recurring_invoice' => 'La facture récurrente a été retirée avec succès', + 'created_recurring_invoice' => 'La facture récurrente a été créée', + 'updated_recurring_invoice' => 'La facture récurrente a été mise à jour', + 'removed_recurring_invoice' => 'La facture récurrente a été retirée', 'search_recurring_invoice' => 'Recherche 1 facture récurrente', 'search_recurring_invoices' => 'Recherche :count factures récurrentes', 'send_date' => 'Date d\'envoi', @@ -3703,7 +3703,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'restored_task_status' => 'L\'état de tâche a été restauré', 'search_task_status' => 'Recherche 1 état de tâche', 'search_task_statuses' => 'Recherche :count états de tâche', - 'show_tasks_table' => 'Afficher le tableau des tâches', + 'show_tasks_table' => 'Afficher la liste des tâches', 'show_tasks_table_help' => 'Toujours afficher la section des tâches lors de la création de factures', 'invoice_task_timelog' => 'Facturer le journal du temps des tâches', 'invoice_task_timelog_help' => 'Ajouter les détails de temps aux lignes d\'articles des factures', @@ -3712,7 +3712,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'task_settings' => 'Paramètres des tâches', 'configure_categories' => 'Configurer les catégories', 'edit_expense_category' => 'Éditer la catégorie Dépense', - 'removed_expense_category' => 'La catégorie de dépense a été retirée avec succès', + 'removed_expense_category' => 'La catégorie de dépense a été retirée', 'search_expense_category' => 'Recherche 1 catégorie de dépense', 'search_expense_categories' => 'Recherche :count catégorie de dépense', 'use_available_credits' => 'Utiliser les crédits disponibles', @@ -3767,53 +3767,53 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'archived_task_statuses' => 'Les :value états de tâche ont été archivés', 'deleted_task_statuses' => 'Les :value états de tâche ont été supprimés', 'restored_task_statuses' => 'Les :value états de tâche ont été restaurés', - 'deleted_expense_categories' => 'Les :value catégories de dépense ont été supprimées avec succès', - 'restored_expense_categories' => 'Les :value catégories de dépense ont été restaurées avec succès', - 'archived_recurring_invoices' => 'Les :value factures récurrentes ont été archivées avec succès', - 'deleted_recurring_invoices' => 'Les :value factures récurrentes ont été supprimées avec succès', - 'restored_recurring_invoices' => 'Les :value factures récurrentes ont été restaurées avec succès', - 'archived_webhooks' => 'Les :value webhooks ont été archivés avec succès', - 'deleted_webhooks' => 'Les :value webhooks ont été supprimés avec succès', - 'removed_webhooks' => 'Les :value webhooks ont été retirés avec succès', - 'restored_webhooks' => 'Les :value webhooks ont été restaurés avec succès', + 'deleted_expense_categories' => 'Les :value catégories de dépense ont été supprimées', + 'restored_expense_categories' => 'Les :value catégories de dépense ont été restaurées', + 'archived_recurring_invoices' => 'Les :value factures récurrentes ont été archivées', + 'deleted_recurring_invoices' => 'Les :value factures récurrentes ont été supprimées', + 'restored_recurring_invoices' => 'Les :value factures récurrentes ont été restaurées', + 'archived_webhooks' => 'Les :value webhooks ont été archivés', + 'deleted_webhooks' => 'Les :value webhooks ont été supprimés', + 'removed_webhooks' => 'Les :value webhooks ont été retirés', + 'restored_webhooks' => 'Les :value webhooks ont été restaurés', 'api_docs' => 'Docs API', - 'archived_tokens' => 'Les :value jetons ont été archivés avec succès', - 'deleted_tokens' => 'Les :value jetons ont été supprimés avec succès', - 'restored_tokens' => 'Les :value jetons ont été restaurés avec succès', - 'archived_payment_terms' => 'Les :value délais de paiement ont été archivés avec succès', - 'deleted_payment_terms' => 'Les :value délais de paiement ont été supprimés avec succès', - 'restored_payment_terms' => 'Les :value délais de paiement ont été restaurés avec succès', - 'archived_designs' => 'Les :value modèles ont été archivés avec succès', - 'deleted_designs' => 'Les :value modèles ont été supprimés avec succès', - 'restored_designs' => 'Les :value modèles ont été restaurés avec succès', - 'restored_credits' => 'Les :value crédits ont été restaurés avec succès', - 'archived_users' => 'Les :value utilisateurs ont été archivés avec succès', - 'deleted_users' => 'Les :value utilisateurs ont été supprimés avec succès', - 'removed_users' => 'Les :value utilisateurs ont été retirés avec succès', - 'restored_users' => 'Les :value utilisateurs ont été restaurés avec succès', - 'archived_tax_rates' => 'Les :value taux de taxes ont été archivés avec succès', - 'deleted_tax_rates' => 'Les :value taux de taxes ont été supprimés avec succès', - 'restored_tax_rates' => 'Les :value taux de taxes ont été restaurés avec succès', - 'archived_company_gateways' => 'Les :value passerelles ont été archivées avec succès', - 'deleted_company_gateways' => 'Les :value passerelles ont été supprimées avec succès', - 'restored_company_gateways' => 'Les :value passerelles ont été restaurées avec succès', - 'archived_groups' => 'Les :value groupes ont été archivés avec succès', - 'deleted_groups' => 'Les :value groupes ont été supprimés avec succès', - 'restored_groups' => 'Les :value groupes ont été restaurés avec succès', - 'archived_documents' => 'Les :value documents ont été archivés avec succès', - 'deleted_documents' => 'Les :value documents ont été supprimés avec succès', - 'restored_documents' => 'Les :value documents ont été restaurés avec succès', - 'restored_vendors' => 'Les :value fournisseurs ont été restaurés avec succès', - 'restored_expenses' => 'Les :value dépenses ont été restaurées avec succès', - 'restored_tasks' => 'Les :value tâches ont été restaurées avec succès', - 'restored_projects' => 'Les :value projets ont été restaurés avec succès', - 'restored_products' => 'Les :value produits ont été restaurés avec succès', - 'restored_clients' => 'Les :value clients ont été restaurés avec succès', - 'restored_invoices' => 'Les :value factures ont été restaurées avec succès', - 'restored_payments' => 'Les :value paiements ont été restaurés avec succès', - 'restored_quotes' => 'Les :value soumissions ont été restaurées avec succès', + 'archived_tokens' => 'Les :value jetons ont été archivés', + 'deleted_tokens' => 'Les :value jetons ont été supprimés', + 'restored_tokens' => 'Les :value jetons ont été restaurés', + 'archived_payment_terms' => 'Les :value délais de paiement ont été archivés', + 'deleted_payment_terms' => 'Les :value délais de paiement ont été supprimés', + 'restored_payment_terms' => 'Les :value délais de paiement ont été restaurés', + 'archived_designs' => 'Les :value modèles ont été archivés', + 'deleted_designs' => 'Les :value modèles ont été supprimés', + 'restored_designs' => 'Les :value modèles ont été restaurés', + 'restored_credits' => 'Les :value crédits ont été restaurés', + 'archived_users' => 'Les :value utilisateurs ont été archivés', + 'deleted_users' => 'Les :value utilisateurs ont été supprimés', + 'removed_users' => 'Les :value utilisateurs ont été retirés', + 'restored_users' => 'Les :value utilisateurs ont été restaurés', + 'archived_tax_rates' => 'Les :value taux de taxes ont été archivés', + 'deleted_tax_rates' => 'Les :value taux de taxes ont été supprimés', + 'restored_tax_rates' => 'Les :value taux de taxes ont été restaurés', + 'archived_company_gateways' => 'Les :value passerelles ont été archivées', + 'deleted_company_gateways' => 'Les :value passerelles ont été supprimées', + 'restored_company_gateways' => 'Les :value passerelles ont été restaurées', + 'archived_groups' => 'Les :value groupes ont été archivés', + 'deleted_groups' => 'Les :value groupes ont été supprimés', + 'restored_groups' => 'Les :value groupes ont été restaurés', + 'archived_documents' => 'Les :value documents ont été archivés', + 'deleted_documents' => 'Les :value documents ont été supprimés', + 'restored_documents' => 'Les :value documents ont été restaurés', + 'restored_vendors' => 'Les :value fournisseurs ont été restaurés', + 'restored_expenses' => 'Les :value dépenses ont été restaurées', + 'restored_tasks' => 'Les :value tâches ont été restaurées', + 'restored_projects' => 'Les :value projets ont été restaurés', + 'restored_products' => 'Les :value produits ont été restaurés', + 'restored_clients' => 'Les :value clients ont été restaurés', + 'restored_invoices' => 'Les :value factures ont été restaurées', + 'restored_payments' => 'Les :value paiements ont été restaurés', + 'restored_quotes' => 'Les :value soumissions ont été restaurées', 'update_app' => 'Mettre à jour l\'App', - 'started_import' => 'L\'importation a démarré avec succès', + 'started_import' => 'L\'importation a démarré', 'duplicate_column_mapping' => 'Dupliquer le mappage de colonnes', 'uses_inclusive_taxes' => 'Utiliser taxes incluses', 'is_amount_discount' => 'Est Montant rabais', @@ -3844,7 +3844,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'enter_taxes' => 'Saisir les taxes', 'by_rate' => 'Par taux', 'by_amount' => 'Par montant', - 'enter_amount' => 'Entrer le montant', + 'enter_amount' => 'Saisir le montant', 'before_taxes' => 'Avant taxes', 'after_taxes' => 'Après taxes', 'color' => 'Couleur', @@ -3870,7 +3870,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'delete_payment_method' => 'Supprimer le mode de paiement', 'about_to_delete_payment_method' => 'Le mode de paiement sera supprimé', 'action_cant_be_reversed' => 'Cette action ne peut être annulée', - 'profile_updated_successfully' => 'Le profil a été mis à jour avec succès.', + 'profile_updated_successfully' => 'Le profil a été mis à jour', 'currency_ethiopian_birr' => 'birr éthiopien', 'client_information_text' => 'Adresse permanente où vous recevez le courriel', 'status_id' => 'État de facture', @@ -3958,7 +3958,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'application_settings_label' => 'Enregistrons les informations de base sur votre Ninja de la facture!', 'recommended_in_production' => 'Fortement recommandé en mode production', 'enable_only_for_development' => 'Activer seulement en mode développement', - 'test_pdf' => 'Tester PDF', + 'test_pdf' => 'Tester le PDF', 'checkout_authorize_label' => 'Checkout.com peut être enregistrer comme un mode de paiement pour usage ultérieur, lors de la première transaction. Cochez "Enregistrer les infos de carte de crédit" lors du processus de paiement.', 'sofort_authorize_label' => 'Le compte bancaire (SOFORT) peut être enregistré comme un mode de paiement pour usage ultérieur, lors de la première transaction. Cochez "Enregistrer les infos de paiement" lors du processus de paiement.', 'node_status' => 'État du noeud', @@ -4085,7 +4085,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'converted_paid_to_date' => 'Payé à ce jour converti', 'converted_credit_balance' => 'Solde de crédit converti', 'converted_total' => 'Total converti', - 'reply_to_name' => 'Nom de Répondre À', + 'reply_to_name' => 'Répondre à', 'payment_status_-2' => 'Partiellement non-appliquée', 'color_theme' => 'Couleur de thème', 'start_migration' => 'Démarrer la migration', @@ -4125,16 +4125,16 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'changing_phone_disables_two_factor' => 'Attention: modifier votre numéro de téléphone désactivera l\'authentification à deux facteurs 2FA', 'help_translate' => 'Aide à la traduction', 'please_select_a_country' => 'Veuillez sélectionner un pays', - 'disabled_two_factor' => 'L\'authentification à deux facteurs 2FA a été désactivée avec succès', - 'connected_google' => 'Le compte a été connecté avec succès', - 'disconnected_google' => 'Le comte a été déconnecté avec succès', + 'disabled_two_factor' => 'L\'authentification à deux facteurs 2FA a été désactivée', + 'connected_google' => 'Le compte a été connecté', + 'disconnected_google' => 'Le compte a été déconnecté', 'delivered' => 'Livré', 'spam' => 'Pourriel', 'view_docs' => 'Afficher la documentation', 'enter_phone_to_enable_two_factor' => 'Veuillez fournir un numéro de téléphone mobile pour activer l\'authentification à deux facteurs', 'send_sms' => 'Envoyer un SMS', 'sms_code' => 'Code SMS', - 'connect_google' => 'Connectez Google', + 'connect_google' => 'Connecter Google', 'disconnect_google' => 'Déconnecter Google', 'disable_two_factor' => 'Désactiver l\'authentification à deux facteurs', 'invoice_task_datelog' => 'Facturer le journal des dates des tâches', @@ -4143,16 +4143,16 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'recurring_invoice_issued_to' => 'Facture récurrente émise à', 'subscription' => 'Abonnement', 'new_subscription' => 'Nouvel abonnement', - 'deleted_subscription' => 'L\'abonnement a été supprimé avec succès', - 'removed_subscription' => 'L\'abonnement a été retiré avec succès', - 'restored_subscription' => 'L\'abonnement a été restauré avec succès', + 'deleted_subscription' => 'L\'abonnement a été supprimé', + 'removed_subscription' => 'L\'abonnement a été retiré', + 'restored_subscription' => 'L\'abonnement a été restauré', 'search_subscription' => 'Recherche de 1 abonnement', 'search_subscriptions' => 'Recherche :count abonnements', 'subdomain_is_not_available' => 'Le sous-domaine n\'est pas disponible', 'connect_gmail' => 'Connectez Gmail', 'disconnect_gmail' => 'Déconnecter Gmail', - 'connected_gmail' => 'Gmail a été connecté avec succès', - 'disconnected_gmail' => 'Gmail a été déconnecté avec succès', + 'connected_gmail' => 'Gmail a été connecté', + 'disconnected_gmail' => 'Gmail a été déconnecté', 'update_fail_help' => 'Les modifications apportées au code de base peuvent bloquer la mise à jour, vous pouvez exécuter cette commande pour annuler les modifications:', 'client_id_number' => 'Numéro d\'identification du client', 'count_minutes' => ':count minutes', @@ -4221,7 +4221,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'company_deleted_body' => 'La compagnie [:company] a été supprimé par :user', 'back_to' => 'Retour à :url', 'stripe_connect_migration_title' => 'Connectez votre compte Stripe', - 'stripe_connect_migration_desc' => 'Invoice Ninja v5 utilise Stripe Connect pour lier votre compte Stripe à Invoice Ninja. Cela fournit une couche de sécurité supplémentaire pour votre compte. Maintenant que vos données ont migré, vous devez autoriser Stripe à accepter les paiements dans la v5.

Pour ce faire, accédez à Paramètres > Paiements en ligne > Configurer les passerelles. Cliquez sur Stripe Connect, puis sous Paramètres, cliquez sur Configurer la passerelle. Cela vous amènera à Stripe pour autoriser Invoice Ninja et à votre retour, votre compte sera lié avec succès !', + 'stripe_connect_migration_desc' => 'Invoice Ninja v5 utilise Stripe Connect pour lier votre compte Stripe à Invoice Ninja. Cela fournit une couche de sécurité supplémentaire pour votre compte. Maintenant que vos données ont migré, vous devez autoriser Stripe à accepter les paiements dans la v5.

Pour ce faire, accédez à Paramètres > Paiements en ligne > Configurer les passerelles. Cliquez sur Stripe Connect, puis sous Paramètres, cliquez sur Configurer la passerelle. Cela vous amènera à Stripe pour autoriser Invoice Ninja et à votre retour, votre compte sera lié !', 'email_quota_exceeded_subject' => 'Quota de courriel du compte dépassé.', 'email_quota_exceeded_body' => 'Dans une période de 24 heures, vous avez envoyer :quota courriels.
Nous avons suspendu vos courriels sortants.

Votre quota de courriel sera réinitialisé à 23h00 UTC', 'auto_bill_option' => 'Activez ou désactivez la facturation automatique de cette facture.', @@ -4244,7 +4244,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'sepa_mandat' => 'En fournissant votre IBAN et en confirmant ce paiement, vous autorisez :company et Stripe, notre fournisseur de service de paiement, à envoyer une demande à votre institution bancaire pour un prélèvement sur votre compte conformément à ces instructions. Vous pouvez demander un remboursement à votre institution bancaire selon les conditions de votre entente avec institution bancaire. Une demande de remboursement doit être faite dans les 8 semaines à partir du jour de la transaction.', 'ideal' => 'iDEAL', 'bank_account_holder' => 'Titulaire du compte bancaire', - 'aio_checkout' => 'All-in-one checkout', + 'aio_checkout' => 'Paiement global', 'przelewy24' => 'Przelewy24', 'przelewy24_accept' => 'J\'atteste que j\'ai pris connaissance de la réglementation et des obligations du service de Przelewy24.', 'giropay' => 'GiroPay', @@ -4259,13 +4259,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'you_need_to_accept_the_terms_before_proceeding' => 'Vous devez accepter les conditions pour continuer.', 'direct_debit' => 'Prélèvement automatique', 'clone_to_expense' => 'Dupliquer en dépense', - 'checkout' => 'Checkout', + 'checkout' => 'Paiement', 'acss' => 'Paiements par débit préautorisés', 'invalid_amount' => 'Montant non valide. Valeurs décimales uniquement.', 'client_payment_failure_body' => 'Le paiement pour la facture :invoice au montant de :amount a échoué.', 'browser_pay' => 'Google Pay, Apple Pay et Microsoft Pay', 'no_available_methods' => 'Cartes de crédit introuvable sur cet appareil. Plus d\'information.', - 'gocardless_mandate_not_ready' => 'Payment mandate is not ready. Please try again later.', + 'gocardless_mandate_not_ready' => 'La demande de paiement n\'est pas prête. Veuillez essayer de nouveau plus tard.', 'payment_type_instant_bank_pay' => 'Interac', 'payment_type_iDEAL' => 'iDEAL', 'payment_type_Przelewy24' => 'Przelewy24', @@ -4279,7 +4279,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'payment_type_Bancontact' => 'Bancontact', 'payment_type_BECS' => 'BECS', 'payment_type_ACSS' => 'ACSS', - 'gross_line_total' => 'Gross line total', + 'gross_line_total' => 'Ligne du total brut', 'lang_Slovak' => 'Slovaque', 'normal' => 'Normal', 'large' => 'Large', @@ -4296,7 +4296,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'please_set_a_password' => 'Veuillez spécifier un mot de passe', 'recommend_desktop' => 'Nous recommandons l\'utilisation de l\'application de bureau pour de meilleures performances.', 'recommend_mobile' => 'Nous recommandons l\'utilisation de l\'application mobile pour de meilleures performances.', - 'disconnected_gateway' => 'Passerelle déconnectée', + 'disconnected_gateway' => 'La passerelle a été déconnectée', 'disconnect' => 'Déconnexion', 'add_to_invoices' => 'Ajouter aux factures', 'bulk_download' => 'Télécharger', @@ -4306,14 +4306,14 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'client_postal_code' => 'Code postal du client', 'client_vat_number' => 'No de taxe du client', 'has_tasks' => 'Has Tasks', - 'registration' => 'Registration', + 'registration' => 'Inscription', 'unauthorized_stripe_warning' => 'Veuillez autoriser Stripe pour accepter des paiements en ligne.', 'update_all_records' => 'Mettre à jour tous les enregistrements', 'set_default_company' => 'Définissez l\'entreprise par défaut', - 'updated_company' => 'Entreprise mise à jour', + 'updated_company' => 'L\'entreprise a été mise à jour', 'kbc' => 'KBC', 'why_are_you_leaving' => 'Aidez-nous nous améliorer en nous disant pourquoi (optionnel)', - 'webhook_success' => 'Webhook Success', + 'webhook_success' => 'Webhook réussi', 'error_cross_client_tasks' => 'Les tâches doivent toutes appartenir au même client', 'error_cross_client_expenses' => 'Les dépenses doivent toutes appartenir au même client', 'app' => 'App', @@ -4321,7 +4321,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'bulk_email_invoice' => 'Envoyer la facture par courriel', 'bulk_email_quote' => 'Envoyer la soumission par courriel', 'bulk_email_credit' => 'Envoyer le crédit par courriel', - 'removed_recurring_expense' => 'Dépenses récurrentes retirées', + 'removed_recurring_expense' => 'Les dépenses récurrentes ont été retirées', 'search_recurring_expense' => 'Recherchez une dépense récurrente', 'search_recurring_expenses' => 'Rechercher des dépenses récurrentes', 'last_sent_date' => 'Date du dernier envoi', @@ -4330,8 +4330,8 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'is_invoiced' => 'Est facturé', 'change_plan' => 'Changer de plan', 'persist_data' => 'Persist Data', - 'customer_count' => 'Customer Count', - 'verify_customers' => 'Verify Customers', + 'customer_count' => 'Compte de client', + 'verify_customers' => 'Vérifier les clients', 'google_analytics_tracking_id' => 'Code de suivi Google Analytics', 'decimal_comma' => 'Virgule de décimale', 'use_comma_as_decimal_place' => 'Utiliser une virgule pour les décimales', @@ -4357,7 +4357,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'table_alternate_row_background_color' => 'Couleur de fond de rangée alternée dans les tables', 'invoice_header_background_color' => 'Couleur de fond de l\'en-tête de facture', 'invoice_header_font_color' => 'Couleur de police d\'écriture de l\'en-tête de facture', - 'review_app' => 'Review App', + 'review_app' => 'Évaluer l\'app', 'check_status' => 'Vérifier l\'état', 'free_trial' => 'Essai gratuit', 'free_trial_help' => 'Tous les comptes bénéficient d\'une période d\'essai de 2 semaines au Plan Pro. Lorsque cette période d\'essai est terminée, votre compte sera automatiquement converti au Plan gratuit.', @@ -4375,34 +4375,34 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'json' => 'JSON', 'no_payment_types_enabled' => 'Aucun type de paiement activé', 'wait_for_data' => 'Veuillez patienter pendant le chargement des données', - 'net_total' => 'Net Total', - 'has_taxes' => 'Has Taxes', + 'net_total' => 'Total Net', + 'has_taxes' => 'A taxes', 'import_customers' => 'Importer des clients', - 'imported_customers' => 'Successfully started importing customers', + 'imported_customers' => 'L\'importation des clients a démarré', 'login_success' => 'Connexion réussie', 'login_failure' => 'Connexion échouée', - 'exported_data' => 'Once the file is ready you\'ll receive an email with a download link', + 'exported_data' => 'Lorsque le fichier sera prêt, vous recevrez un courriel avec un lien de téléchargement', 'include_deleted_clients' => 'Inclure les clients supprimés', 'include_deleted_clients_help' => 'Charger les enregistrements des clients supprimés', 'step_1_sign_in' => 'Étape 1 : Connexion', 'step_2_authorize' => 'Étape 2 : Autorisation', 'account_id' => 'ID du compte', 'migration_not_yet_completed' => 'La migration n\'est pas encore complétée', - 'show_task_end_date' => 'Show Task End Date', - 'show_task_end_date_help' => 'Enable specifying the task end date', + 'show_task_end_date' => 'Afficher la date de fin de la tâche', + 'show_task_end_date_help' => 'Activer la date de fin pour la tâche', 'gateway_setup' => 'Configuraiton de passerelle', 'preview_sidebar' => 'Prévisualiser la barre latérale', 'years_data_shown' => 'Years Data Shown', 'ended_all_sessions' => 'Toutes les sessions ont été déconnectées', 'end_all_sessions' => 'Déconnexion de toutes les sessions', - 'count_session' => '1 Session', - 'count_sessions' => ':count Sessions', + 'count_session' => '1 session', + 'count_sessions' => ':count sessions', 'invoice_created' => 'Facture créée', 'quote_created' => 'Soumission créé', 'credit_created' => 'Crédit créé', 'enterprise' => 'Entreprise', 'invoice_item' => 'Article de facture', - 'quote_item' => 'Item de soumission', + 'quote_item' => 'Article de soumission', 'order' => 'Commande', 'search_kanban' => 'Recherchez dans le Kanban', 'search_kanbans' => 'Recherchez dans le Kanban', @@ -4413,7 +4413,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'body_variable_missing' => 'Erreur: Le message courriel personnalisé doit inclure une variable :body', 'add_body_variable_message' => 'Assurez-vous d\'inclure une variable :body', 'view_date_formats' => 'Voir les formats de date', - 'is_viewed' => 'Is Viewed', + 'is_viewed' => 'Est vu', 'letter' => 'Lettre', 'legal' => 'Légal', 'page_layout' => 'Mise en page', @@ -4423,39 +4423,39 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'upgrade_to_paid_plan' => 'Souscrivez un plan payant pour activer les paramètres avancés', 'invoice_payment_terms' => 'Conditions de paiement de facture', 'quote_valid_until' => 'Soumission valide jusqu\'au', - 'no_headers' => 'No Headers', - 'add_header' => 'Add Header', + 'no_headers' => 'Aucune en-tête', + 'add_header' => 'Ajouter une en-tête', 'remove_header' => 'Retirer l\'en-tête', - 'return_url' => 'Return URL', - 'rest_method' => 'REST Method', - 'header_key' => 'Header Key', - 'header_value' => 'Header Value', + 'return_url' => 'URL de retour', + 'rest_method' => 'Méthode REST', + 'header_key' => 'Clé d\'en-tête', + 'header_value' => 'Valeur de l\'en-tête', 'recurring_products' => 'Produits récurrents', 'promo_discount' => 'Rabais promo', 'allow_cancellation' => 'Autoriser l\'annulation', - 'per_seat_enabled' => 'Per Seat Enabled', - 'max_seats_limit' => 'Max Seats Limit', + 'per_seat_enabled' => 'Limite de places individuelles', + 'max_seats_limit' => 'Activer Place individuelle', 'trial_enabled' => 'Période d\'essai activé', 'trial_duration' => 'Durée de la période d\'essai', - 'allow_query_overrides' => 'Allow Query Overrides', + 'allow_query_overrides' => 'Autoriser les remplacements de requêtes', 'allow_plan_changes' => 'Autoriser les changements de plan', - 'plan_map' => 'Plan Map', + 'plan_map' => 'Plan de la carte', 'refund_period' => 'Période de remboursement', - 'webhook_configuration' => 'Webhook Configuration', - 'purchase_page' => 'Purchase Page', - 'email_bounced' => 'Email Bounced', - 'email_spam_complaint' => 'Spam Complaint', - 'email_delivery' => 'Email Delivery', - 'webhook_response' => 'Webhook Response', - 'pdf_response' => 'PDF Response', - 'authentication_failure' => 'Authentication Failure', - 'pdf_failed' => 'PDF Failed', - 'pdf_success' => 'PDF Success', + 'webhook_configuration' => 'Configuration du Webhook', + 'purchase_page' => 'Page d\'achat', + 'email_bounced' => 'Le courriel a rebondi', + 'email_spam_complaint' => 'Plainte de pourriel', + 'email_delivery' => 'Livraison de courriel', + 'webhook_response' => 'Réponse du Webhook', + 'pdf_response' => 'Réponse du PDF', + 'authentication_failure' => 'Authentication échouée', + 'pdf_failed' => 'PDF échoué', + 'pdf_success' => 'PDF réussi', 'modified' => 'Modifié', 'html_mode' => 'Mode HTML', 'html_mode_help' => 'Prévisualisation plus rapide, mais moins précise', 'status_color_theme' => 'Couleur de l\'état', - 'load_color_theme' => 'Load Color Theme', + 'load_color_theme' => 'Charger le thème de couleurs', 'lang_Estonian' => 'Estonien', 'marked_credit_as_paid' => 'Le crédit a été marqué comme payé', 'marked_credits_as_paid' => 'Les crédits ont été marqué comme payé', @@ -4482,30 +4482,30 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'start_free_trial' => 'Démarrer la période d\'essai', 'start_free_trial_message' => 'Démarrer votre période d\'essai GRATUITE de 14 jours au Plan pro', 'due_on_receipt' => 'Payable sur réception', - 'is_paid' => 'Is Paid', - 'age_group_paid' => 'Paid', + 'is_paid' => 'Est payé', + 'age_group_paid' => 'Payé', 'id' => 'Id', 'convert_to' => 'Convertir en', - 'client_currency' => 'Devis du client', - 'company_currency' => 'Company Currency', - 'custom_emails_disabled_help' => 'To prevent spam we require upgrading to a paid account to customize the email', - 'upgrade_to_add_company' => 'Upgrade your plan to add companies', - 'file_saved_in_downloads_folder' => 'The file has been saved in the downloads folder', - 'small' => 'Small', + 'client_currency' => 'Devise du client', + 'company_currency' => 'Devise de la compagnie', + 'custom_emails_disabled_help' => 'Il est nécessaire de souscrire à un compte payant pour personnaliser les paramètres anti-pourriels', + 'upgrade_to_add_company' => 'Augmenter votre plan pour ajouter des entreprises', + 'file_saved_in_downloads_folder' => 'Le fichier a été sauvegardé dans le dossier Téléchargements', + 'small' => 'Petit', 'quotes_backup_subject' => 'Vos soumissions sont prêtes pour le téléchargement', - 'credits_backup_subject' => 'Your credits are ready for download', - 'document_download_subject' => 'Your documents are ready for download', + 'credits_backup_subject' => 'Vos crédits sont prêts pour le téléchargement', + 'document_download_subject' => 'Vos documents sont prêts pour le téléchargement', 'reminder_message' => 'Rappel pour la facture :invoice de :balance', - 'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', - 'gmail_credentials_invalid_body' => 'Your GMail credentials are not correct, please log into the administrator portal and navigate to Settings > User Details and disconnect and reconnect your GMail account. We will send you this notification daily until this issue is resolved', + 'gmail_credentials_invalid_subject' => 'Les identifiants pour l\'envoi avec Gmail ne sont pas valides', + 'gmail_credentials_invalid_body' => 'Vos identifiants Gmail ne sont pas valides. Veuillez vous connecter au portail administrateur et vous rendre à Paramètres > Profil utilisateur, déconnecter et reconnecter votre compte Gmail. Vous recevrez une notification tous les jours jusqu\'à ce que ce problème soit réglé', 'total_columns' => 'Total Fields', - 'view_task' => 'View Task', - 'cancel_invoice' => 'Cancel', + 'view_task' => 'Voir la tâche', + 'cancel_invoice' => 'Annuler', 'changed_status' => 'L\'état de la tâche a été modifié', 'change_status' => 'Modifier l\'état', 'enable_touch_events' => 'Enable Touch Events', 'enable_touch_events_help' => 'Support drag events to scroll', - 'after_saving' => 'After Saving', + 'after_saving' => 'Après sauvegarde', 'view_record' => 'Voir l\'enregistrement', 'enable_email_markdown' => 'Activation Markdown pour le courriel', 'enable_email_markdown_help' => 'Utiliser l\'éditeur visuel Markdown pour les courriels', @@ -4513,62 +4513,62 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'json_help' => 'Note: Les fichiers JSON générés par la v4 ne sont pas supportés', 'release_notes' => 'Notes de mise à jour', 'upgrade_to_view_reports' => 'Passer à un plan supérieur pour voir les rapports', - 'started_tasks' => 'Successfully started :value tasks', + 'started_tasks' => ':value tâches ont été démarrées', 'stopped_tasks' => ':value tâches ont été arrêtées', - 'approved_quote' => 'Soumission approuvé avec succès', - 'approved_quotes' => ':value soumissions approuvé avec succès', + 'approved_quote' => 'La soumission a été approuvée', + 'approved_quotes' => ':value soumissions approuvées', 'client_website' => 'Site web du client', - 'invalid_time' => 'Invalid Time', + 'invalid_time' => 'Heure non valide', 'signed_in_as' => 'Connecté en tant que', 'total_results' => 'Total', - 'restore_company_gateway' => 'Restore gateway', - 'archive_company_gateway' => 'Archive gateway', - 'delete_company_gateway' => 'Delete gateway', - 'exchange_currency' => 'Exchange currency', - 'tax_amount1' => 'Tax Amount 1', - 'tax_amount2' => 'Tax Amount 2', - 'tax_amount3' => 'Tax Amount 3', - 'update_project' => 'Update Project', + 'restore_company_gateway' => 'Restaurer la passerelle', + 'archive_company_gateway' => 'Archiver la passerelle', + 'delete_company_gateway' => 'Supprimer la passerelle', + 'exchange_currency' => 'Devise d\'échange', + 'tax_amount1' => 'Montant de taxe 1', + 'tax_amount2' => 'Montant de taxe 2', + 'tax_amount3' => 'Montant de taxe 3', + 'update_project' => 'Mettre à jour du projet', 'auto_archive_invoice_cancelled' => 'Archivage automatique de facture annulée', 'auto_archive_invoice_cancelled_help' => 'Archiver automatiquement les factures lorsqu\'elles sont annulées', - 'no_invoices_found' => 'No invoices found', + 'no_invoices_found' => 'Aucune facture trouvée', 'created_record' => 'L\'enregistrement a été créé', 'auto_archive_paid_invoices' => 'Archivage automatiquement payé', 'auto_archive_paid_invoices_help' => 'Archiver automatiquement les factures lorsqu\'elles sont payées.', 'auto_archive_cancelled_invoices' => 'Archivage automatiquement annulé', 'auto_archive_cancelled_invoices_help' => 'Archiver automatiquement les factures lorsqu\'elles sont annulées', - 'alternate_pdf_viewer' => 'Alternate PDF Viewer', + 'alternate_pdf_viewer' => 'Lecteur PDF alternatif', 'alternate_pdf_viewer_help' => 'Améliorer le défilement dans la prévisualisation d\'un fichier PDF [BETA]', - 'currency_cayman_island_dollar' => 'Cayman Island Dollar', - 'download_report_description' => 'Please see attached file to check your report.', + 'currency_cayman_island_dollar' => 'Dollar des îles Caïmans', + 'download_report_description' => 'Consultez le fichier joint pour votre rapport', 'left' => 'Gauche', 'right' => 'Droite', 'center' => 'Centre', 'page_numbering' => 'Numérotation de page', 'page_numbering_alignment' => 'Justification de la numérotation de page', - 'invoice_sent_notification_label' => 'Invoice Sent', - 'show_product_description' => 'Show Product Description', - 'show_product_description_help' => 'Include the description in the product dropdown', + 'invoice_sent_notification_label' => 'Facture envoyée', + 'show_product_description' => 'Afficher la description du produit', + 'show_product_description_help' => 'Inclure la description dans le menu déroulant du produit', 'invoice_items' => 'Articles de facture', - 'quote_items' => 'Items de soumission', - 'profitloss' => 'Profit and Loss', - 'import_format' => 'Import Format', - 'export_format' => 'Export Format', - 'export_type' => 'Export Type', + 'quote_items' => 'Articles de soumission', + 'profitloss' => 'Bénéfice et perte', + 'import_format' => 'Format d\'importation', + 'export_format' => 'Format d\'exportation', + 'export_type' => 'Type d\'exportation', 'stop_on_unpaid' => 'Bloquer en cas de non-paiement', 'stop_on_unpaid_help' => 'Bloquer la création de factures récurrentes lorsque la dernière facture est impayée', 'use_quote_terms' => 'Utiliser les termes de la soumission', 'use_quote_terms_help' => 'Lors de la conversion d\'une soumission en facture', 'add_country' => 'Ajouter un pays', - 'enable_tooltips' => 'Enable Tooltips', - 'enable_tooltips_help' => 'Show tooltips when hovering the mouse', + 'enable_tooltips' => 'Activer les infobulles', + 'enable_tooltips_help' => 'Afficher les infobulles au passage de la souris', 'multiple_client_error' => 'Erreur: Les enregistrements appartiennent à plus d\'un client', - 'login_label' => 'Login to an existing account', + 'login_label' => 'Se connecter à un compte existant', 'purchase_order' => 'Bon de commande', 'purchase_order_number' => 'Numéro de bon de commande', 'purchase_order_number_short' => 'Bon de commande #', 'inventory_notification_subject' => 'Notification du seuil d\'inventaire pour le produit :product', - 'inventory_notification_body' => 'Threshold of :amount has been reached for product: :product', + 'inventory_notification_body' => 'Le seuil de :amount a été atteint pour le produit: :product', 'activity_130' => ':user a créé le bon de commande :purchase_order', 'activity_131' => ':user a mis à jour le bon de commande :purchase_order', 'activity_132' => ':user a archivé le bon de commande :purchase_order', @@ -4585,12 +4585,12 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'purchase_order_date' => 'Date du bon de commande', 'purchase_orders' => 'Bons de commande', 'purchase_order_number_placeholder' => 'Bon de commande # :purchase_order', - 'accepted' => 'Accepted', + 'accepted' => 'Accepté', 'activity_137' => ':contact a accepté le bon de commande :purchase_order', - 'vendor_information' => 'Vendor Information', + 'vendor_information' => 'Information du fournisseur', 'notification_purchase_order_accepted_subject' => 'Le bon de commande :purchase_order a été accepté par :vendor', 'notification_purchase_order_accepted' => 'Le fournisseur :vendor a accepté le bon de commande :purchase_order au montant de :amount.', - 'amount_received' => 'Amount received', + 'amount_received' => 'Montant reçu', 'purchase_order_already_expensed' => 'Déjà converti en dépense', 'convert_to_expense' => 'Convertir en dépense', 'add_to_inventory' => 'Ajouter à l\'inventaire', @@ -4599,96 +4599,96 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'client_document_upload' => 'Téléversement de document du client', 'vendor_document_upload' => 'Téléversement de document du fournisseur', 'vendor_document_upload_help' => 'Autoriser les fournisseurs à téléverser des documents', - 'are_you_enjoying_the_app' => 'Are you enjoying the app?', - 'yes_its_great' => 'Yes, it\'s great!', - 'not_so_much' => 'Not so much', - 'would_you_rate_it' => 'Great to hear! Would you like to rate it?', - 'would_you_tell_us_more' => 'Sorry to hear it! Would you like to tell us more?', - 'sure_happy_to' => 'Sure, happy to', - 'no_not_now' => 'No, not now', - 'add' => 'Add', + 'are_you_enjoying_the_app' => 'Appréciez-vous l\'application?', + 'yes_its_great' => 'Oui, c\'est super', + 'not_so_much' => 'Pas vraiment', + 'would_you_rate_it' => 'Super, souhaitez-vous l\'évaluer?', + 'would_you_tell_us_more' => 'Désolé de l\'apprendre! Voulez-vous nous en dire davantage?', + 'sure_happy_to' => 'Bien sûr, avec joie', + 'no_not_now' => 'Non, pas maintenant', + 'add' => 'Ajouter', 'last_sent_template' => 'Last Sent Template', 'enable_flexible_search' => 'Activer la recherche flexible', 'enable_flexible_search_help' => 'Match non-contiguous characters, ie. "ct" matches "cat"', - 'vendor_details' => 'Vendor Details', + 'vendor_details' => 'Informations du fournisseur', 'purchase_order_details' => 'Détails du bon de commande', 'qr_iban' => 'QR IBAN', - 'besr_id' => 'BESR ID', + 'besr_id' => 'ID BESR', 'clone_to_purchase_order' => 'Dupliquer en bon de commande', - 'vendor_email_not_set' => 'Vendor does not have an email address set', - 'bulk_send_email' => 'Send Email', + 'vendor_email_not_set' => 'Le fournisseur n\'a pas d\'adresse courriel', + 'bulk_send_email' => 'Envoyer un couriel', 'marked_purchase_order_as_sent' => 'Le bon de commande a été marqué comme envoyé', 'marked_purchase_orders_as_sent' => 'Les bons de commande ont été marqués comme envoyés', 'accepted_purchase_order' => 'Le bon de commande a été accepté', 'accepted_purchase_orders' => 'Les bons de commande ont été acceptés', 'cancelled_purchase_order' => 'Le bon de commande a été annulé', 'cancelled_purchase_orders' => 'Les bons de commande ont été annulés', - 'please_select_a_vendor' => 'Please select a vendor', + 'please_select_a_vendor' => 'Veuillez sélectionner un fournisseur', 'purchase_order_total' => 'Total du bon de commande', 'email_purchase_order' => 'Envoyer le bon de commande par courriel', 'bulk_email_purchase_order' => 'Envoyer le bon de commande par courriel', - 'disconnected_email' => 'Successfully disconnected email', - 'connect_email' => 'Connect Email', - 'disconnect_email' => 'Disconnect Email', - 'use_web_app_to_connect_microsoft' => 'Please use the web app to connect to Microsoft', + 'disconnected_email' => 'Le courriel a été déconnecté', + 'connect_email' => 'Connecter courriel', + 'disconnect_email' => 'Déconnecter courriel', + 'use_web_app_to_connect_microsoft' => 'Veuillez utiliser l\'application web pour vous connecter à Microsoft', 'email_provider' => 'Fournisseur de courriel', - 'connect_microsoft' => 'Connect Microsoft', - 'disconnect_microsoft' => 'Disconnect Microsoft', - 'connected_microsoft' => 'Successfully connected Microsoft', - 'disconnected_microsoft' => 'Successfully disconnected Microsoft', - 'microsoft_sign_in' => 'Login with Microsoft', - 'microsoft_sign_up' => 'Sign up with Microsoft', - 'emailed_purchase_order' => 'Successfully queued purchase order to be sent', - 'emailed_purchase_orders' => 'Successfully queued purchase orders to be sent', + 'connect_microsoft' => 'Connecter Microsoft', + 'disconnect_microsoft' => 'Déconnecter Microsoft', + 'connected_microsoft' => 'Microsoft a été connecté', + 'disconnected_microsoft' => 'Microsoft a été déconnecté', + 'microsoft_sign_in' => 'Se connecter avec Microsoft', + 'microsoft_sign_up' => 'S\'inscrire avec Microsoft', + 'emailed_purchase_order' => 'Le bon de commande a été mis en file d\'attente pour l\'envoi', + 'emailed_purchase_orders' => 'Les bons de commande ont été mis en file d\'attente pour l\'envoi', 'enable_react_app' => 'Basculer vers l\'interface React', 'purchase_order_design' => 'Design du bon de commande', 'purchase_order_terms' => 'Conditions du bon de commande', 'purchase_order_footer' => 'Pied de page du bon de commande', 'require_purchase_order_signature' => 'Signature du bon de commande', - 'require_purchase_order_signature_help' => 'Require vendor to provide their signature.', + 'require_purchase_order_signature_help' => 'Requiert une signature du fournisseur.', 'new_purchase_order' => 'Nouveau bon de commande', 'edit_purchase_order' => 'Éditer le bon de commande', - 'created_purchase_order' => 'Bon de commande créé', - 'updated_purchase_order' => 'Bon de commande mis à jour', - 'archived_purchase_order' => 'Bon de commande archivé', - 'deleted_purchase_order' => 'Bon de commande supprimé', - 'removed_purchase_order' => 'Bon de commande retiré', - 'restored_purchase_order' => 'Bon de commande restauré', + 'created_purchase_order' => 'Le bon de commande a été créé', + 'updated_purchase_order' => 'Le bon de commande a été mis à jour', + 'archived_purchase_order' => 'Le bon de commande a été archivé', + 'deleted_purchase_order' => 'Le bon de commande a été supprimé', + 'removed_purchase_order' => 'Le bon de commande a été retiré', + 'restored_purchase_order' => 'Le bon de commande a été restauré', 'search_purchase_order' => 'Rechercher un bon de commande', 'search_purchase_orders' => 'Rechercher des bons de commande', - 'login_url' => 'Login URL', + 'login_url' => 'URL de connexion', 'enable_applying_payments' => 'Activer les paiements applicables', - 'enable_applying_payments_help' => 'Support separately creating and applying payments', + 'enable_applying_payments_help' => 'Activer la création et l\'application de paiement séparément', 'stock_quantity' => 'Quantité en stock', - 'notification_threshold' => 'Notification Threshold', + 'notification_threshold' => 'Seuil de notification', 'track_inventory' => 'Gérer l\'inventaire', 'track_inventory_help' => 'Afficher un champ de stock de produit et le met à jour lorsque les factures sont envoyées', 'stock_notifications' => 'Notifications du stock', 'stock_notifications_help' => 'Envoyer un courriel lorsque le stock atteint le seuil', - 'vat' => 'VAT', + 'vat' => 'T.V.A', 'view_map' => 'Voir la carte', 'set_default_design' => 'Définir design par défaut', - 'add_gateway_help_message' => 'Add a payment gateway (ie. Stripe, WePay or PayPal) to accept online payments', + 'add_gateway_help_message' => 'Ajouter une passerelle de paiement (Stripe, WePay ou PayPal) pour accepter les paiements en ligne', 'purchase_order_issued_to' => 'Bon de commande émis pour', 'archive_task_status' => 'Archiver l\'état de tâche', 'delete_task_status' => 'Supprimer l\'état de tâche', 'restore_task_status' => 'Restaurer l\'état de tâche', 'lang_Hebrew' => 'Hébreu', - 'price_change_accepted' => 'Price change accepted', + 'price_change_accepted' => 'Changement de prix accepté', 'price_change_failed' => 'Price change failed with code', - 'restore_purchases' => 'Restore Purchases', + 'restore_purchases' => 'Restaurer les achats', 'activate' => 'Activer', - 'connect_apple' => 'Connect Apple', - 'disconnect_apple' => 'Disconnect Apple', - 'disconnected_apple' => 'Successfully disconnected Apple', + 'connect_apple' => 'Connecter Apple', + 'disconnect_apple' => 'Déconnecter Apple', + 'disconnected_apple' => 'Apple a été déconnecté', 'send_now' => 'Envoyer maintenant', 'received' => 'Reçu', 'converted_to_expense' => 'La dépense a été convertie', 'converted_to_expenses' => 'Les dépenses ont été converties', 'entity_removed' => 'Ce document a été retiré. Veuille contacter le fournisseur pour plus d\'information', - 'entity_removed_title' => 'Document no longer available', + 'entity_removed_title' => 'Ce document n\'est plus disponible', 'field' => 'Champ', - 'period' => 'Period', + 'period' => 'Période', 'fields_per_row' => 'Champs par ligne', 'total_active_invoices' => 'Factures en cours', 'total_outstanding_invoices' => 'Factures impayées', @@ -4697,20 +4697,20 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'total_active_quotes' => 'Soumissions en cours', 'total_approved_quotes' => 'Soumissions approuvées', 'total_unapproved_quotes' => 'Soumissions non approuvées', - 'total_logged_tasks' => 'Logged Tasks', - 'total_invoiced_tasks' => 'Invoiced Tasks', - 'total_paid_tasks' => 'Paid Tasks', - 'total_logged_expenses' => 'Logged Expenses', - 'total_pending_expenses' => 'Pending Expenses', - 'total_invoiced_expenses' => 'Invoiced Expenses', - 'total_invoice_paid_expenses' => 'Invoice Paid Expenses', + 'total_logged_tasks' => 'Tâches journalisées', + 'total_invoiced_tasks' => 'Tâches facturées', + 'total_paid_tasks' => 'Tâches payées', + 'total_logged_expenses' => 'Dépenses journalisées', + 'total_pending_expenses' => 'Dépenses en attente', + 'total_invoiced_expenses' => 'Dépenses facturées', + 'total_invoice_paid_expenses' => 'Facturer les dépenses payées', 'vendor_portal' => 'Portail du fournisseur', 'send_code' => 'Envoyer le code', 'save_to_upload_documents' => 'Sauvegarder l\'enregistrement pour téléverser des documents', 'expense_tax_rates' => 'Expense Tax Rates', 'invoice_item_tax_rates' => 'Taux de taxes pour l\'article de facture', - 'verified_phone_number' => 'Successfully verified phone number', - 'code_was_sent' => 'A code has been sent via SMS', + 'verified_phone_number' => 'Le numéro de téléphone a été vérifié', + 'code_was_sent' => 'Un code a été envoyé par texto', 'resend' => 'Renvoyer', 'verify' => 'Vérifier', 'enter_phone_number' => 'Veuillez fournir un numéro de téléphone', @@ -4718,7 +4718,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'verify_phone_number' => 'Vérifier le numéro de téléphone', 'verify_phone_number_help' => 'Please verify your phone number to send emails', 'merged_clients' => 'Les clients ont été fusionnés', - 'merge_into' => 'Merge Into', + 'merge_into' => 'Fusionner dans', 'php81_required' => 'Note: v5.5 requiert PHP 8.1', 'bulk_email_purchase_orders' => 'Envoyer les bons de commande par courriel', 'bulk_email_invoices' => 'Envoyer les factures par courriel', @@ -4731,48 +4731,48 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'mark_paid_payment_email' => 'Courriel de paiement marqué comme payé', 'convert_to_project' => 'Convertir en projet', 'client_email' => 'Courriel du client', - 'invoice_task_project' => 'Invoice Task Project', - 'invoice_task_project_help' => 'Add the project to the invoice line items', + 'invoice_task_project' => 'Facturer le projet de tâche', + 'invoice_task_project_help' => 'Ajouter ce projet aux articles de la facture', 'bulk_action' => 'Action de masse', - 'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format', + 'phone_validation_error' => 'Ce numéro de cellulaire n\'est pas valide. Veuillez le saisir au format E.164', 'transaction' => 'Transaction', - 'disable_2fa' => 'Disable 2FA', - 'change_number' => 'Change Number', - 'resend_code' => 'Resend Code', - 'base_type' => 'Base Type', - 'category_type' => 'Category Type', + 'disable_2fa' => 'Désactiver 2FA', + 'change_number' => 'Changer le numéro', + 'resend_code' => 'Renvoyer le code', + 'base_type' => 'Type de base', + 'category_type' => 'Type de catégorie', 'bank_transaction' => 'Transaction', - 'bulk_print' => 'Print PDF', - 'vendor_postal_code' => 'Vendor Postal Code', + 'bulk_print' => 'Imprimer le PDF', + 'vendor_postal_code' => 'Code postal du fournisseur', 'preview_location' => 'Emplacement de prévisualisation', 'bottom' => 'Bottom', 'side' => 'Side', 'pdf_preview' => 'Prévisualisation du PDF', - 'long_press_to_select' => 'Long Press to Select', + 'long_press_to_select' => 'Pressez longuement pour sélectionner', 'purchase_order_item' => 'Article de bon de commande', - 'would_you_rate_the_app' => 'Would you like to rate the app?', + 'would_you_rate_the_app' => 'Aimeriez-vous évaluer l\'application?', 'include_deleted' => 'Include Deleted', 'include_deleted_help' => 'Inclure les enregistrements supprimés dans les rapports', - 'due_on' => 'Due On', - 'browser_pdf_viewer' => 'Use Browser PDF Viewer', + 'due_on' => 'Dû le', + 'browser_pdf_viewer' => 'Utiliser le lecteur PDF du navigateur', 'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF', 'converted_transactions' => 'Les transactions ont été converties', - 'default_category' => 'Default Category', + 'default_category' => 'Catégorie par défaut', 'connect_accounts' => 'Comptes connectés', - 'manage_rules' => 'Manage Rules', + 'manage_rules' => 'Gérer les règles', 'search_category' => 'Rechercher 1 catégorie', 'search_categories' => 'Rechercher :count catégories', - 'min_amount' => 'Min Amount', - 'max_amount' => 'Max Amount', + 'min_amount' => 'Montant minimum', + 'max_amount' => 'Montant maximum', 'converted_transaction' => 'La transaction a été convertie', 'convert_to_payment' => 'Convertir en paiement', 'deposit' => 'Dépôt', 'withdrawal' => 'Retrait', 'deposits' => 'Dépôts', 'withdrawals' => 'Retraits', - 'matched' => 'Matched', + 'matched' => 'Correspondance', 'unmatched' => 'Sans correspondance', - 'create_credit' => 'Create Credit', + 'create_credit' => 'Créer un crédit', 'transactions' => 'Transactions', 'new_transaction' => 'Nouvelle transaction', 'edit_transaction' => 'Éditer une transaction', @@ -4790,23 +4790,23 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'search_bank_account' => 'Rechercher un compte bancaire', 'search_bank_accounts' => 'Rechercher :count comptes bancaires', 'code_was_sent_to' => 'Un code a été envoyé par texto à :number', - 'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup', + 'verify_phone_number_2fa_help' => 'Veuillez consulter votre numéro de téléphone pour la sauvegarde 2FA', 'enable_applying_payments_later' => 'Activer les paiements applicables ultérieurement', - 'line_item_tax_rates' => 'Line Item Tax Rates', + 'line_item_tax_rates' => 'Taux de taxes pour l\'article de facture', 'show_tasks_in_client_portal' => 'Afficher les tâches sur le portail du client', 'notification_quote_expired_subject' => 'La soumission :invoice a expiré pour :client', 'notification_quote_expired' => 'La soumission :invoice pour le client :client au montant de :amount est expirée', 'auto_sync' => 'Synchronisation automatique', 'refresh_accounts' => 'Rafraîchir les comptes', - 'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account', - 'click_here_to_connect_bank_account' => 'Click here to connect your bank account', + 'upgrade_to_connect_bank_account' => 'Passer au plan Entreprise pour connecter votre compte bancaire', + 'click_here_to_connect_bank_account' => 'Cliquez ici pour connecter votre compte bancaire', 'include_tax' => 'Inclure la taxe', 'email_template_change' => 'E-mail template body can be changed on', 'task_update_authorization_error' => 'Permission d\'accès insuffisante ou tâche verrouillée', 'cash_vs_accrual' => 'Comptabilité d\'exercice', 'cash_vs_accrual_help' => 'Activer pour comptabilité d\'exercice. Désactiver pour comptabilité d\'encaisse', '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' => 'Activer pour un rapport de toutes les dépenses. Désactiver pour un rapport des dépenses payées seulement', 'online_payment_email_help' => 'Envoyer un courriel lorsque un paiement en ligne à été fait', 'manual_payment_email_help' => 'Envoyer un courriel lorsque un paiement a été saisi manuellement', 'mark_paid_payment_email_help' => 'Envoyer un courriel lorsque une facture a été marquée comme payée', @@ -4825,10 +4825,10 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'auto_billed_invoices' => 'Les factures sont en file d\'attente pour la facturation automatique', 'operator' => 'Opérateur', 'value' => 'Valeur', - 'is' => 'Is', + 'is' => 'Est', 'contains' => 'Contient', 'starts_with' => 'Commence par', - 'is_empty' => 'Is empty', + 'is_empty' => 'Est vide', 'add_rule' => 'Ajouter une règle', 'match_all_rules' => 'Correspond à toutes les règles', 'match_all_rules_help' => 'Tous les critères doivent correspondre pour que la règle puisse être appliquée', @@ -4879,13 +4879,13 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'danger_zone' => 'Zone de danger', 'import_completed' => 'Importation terminée', 'client_statement_body' => 'Votre relevé de :start_date à :end_date est en pièce jointe', - 'email_queued' => 'Email queued', + 'email_queued' => 'Courriel en file d\'attente', 'clone_to_recurring_invoice' => 'Dupliquer en facture récurrente', 'inventory_threshold' => 'Seuil d\'inventaire', - 'emailed_statement' => 'Successfully queued statement to be sent', + 'emailed_statement' => 'L\'état de compte a été mis en file d\'attente pour l\'envoi', 'show_email_footer' => 'Afficher le pied de page du courriel', - 'invoice_task_hours' => 'Invoice Task Hours', - 'invoice_task_hours_help' => 'Add the hours to the invoice line items', + 'invoice_task_hours' => 'Facturer les heures de tâches', + 'invoice_task_hours_help' => 'Ajouter ces heures aux articles de la facture', 'auto_bill_standard_invoices' => 'Facturation automatique de factures régulières', 'auto_bill_recurring_invoices' => 'Facturation automatique de factures récurrentes', 'email_alignment' => 'Justification du courriel', @@ -4904,12 +4904,12 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'notify_vendor_when_paid_help' => 'Envoyer un courriel au fournisseur lorsque la dépense est marquée comme payée', 'update_payment' => 'Mettre à jour le paiement', 'markup' => 'Markup', - 'unlock_pro' => 'Unlock Pro', + 'unlock_pro' => 'Débloquer Pro', 'upgrade_to_paid_plan_to_schedule' => 'Mettre à jour le plan pour pouvoir utiliser la planification', 'next_run' => 'Prochain envoi', 'all_clients' => 'Tous les clients', - 'show_aging_table' => 'Show Aging Table', - 'show_payments_table' => 'Afficher la table des paiements', + 'show_aging_table' => 'Afficher la liste des impayés', + 'show_payments_table' => 'Afficher la liste des paiements', 'email_statement' => 'Envoyer par courriel l\'état de compte', 'once' => 'Une fois', 'schedules' => 'Planifications', @@ -4924,12 +4924,12 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'search_schedule' => 'Rechercher une planification', 'search_schedules' => 'Rechercher des planifications', 'update_product' => 'Mettre à jour le produit', - 'create_purchase_order' => 'Create Purchase Order', - 'update_purchase_order' => 'Update Purchase Order', - 'sent_invoice' => 'Sent Invoice', - 'sent_quote' => 'Sent Quote', - 'sent_credit' => 'Sent Credit', - 'sent_purchase_order' => 'Sent Purchase Order', + 'create_purchase_order' => 'Créer un bon de commande', + 'update_purchase_order' => 'Mettre à jour un bon de commande', + 'sent_invoice' => 'Facture envoyée', + 'sent_quote' => 'Soumission envoyée', + 'sent_credit' => 'Crédit envoyé', + 'sent_purchase_order' => 'Bon de commande envoyé', 'image_url' => 'URL de l\'image', 'max_quantity' => 'Quantité maximum', 'test_url' => 'URL de test', @@ -4940,8 +4940,8 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'view_all' => 'Lire', 'edit_all' => 'Éditer', 'accept_purchase_order_number' => 'Accepter un N° de bon de commande', - 'accept_purchase_order_number_help' => 'Enable clients to provide a PO number when approving a quote', - 'from_email' => 'From Email', + 'accept_purchase_order_number_help' => 'Autorise les clients à fournir un numéro de bon de commande lors de l\'approbation d\'une soumission', + 'from_email' => 'De', 'show_preview' => 'Afficher la prévisualisation', 'show_paid_stamp' => 'Afficher l\'étampe PAYÉ', 'show_shipping_address' => 'Afficher l\'adresse de livraison', @@ -4952,50 +4952,50 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'client_contacts' => 'Personne contact du client', 'sync_from' => 'Sync From', 'gateway_payment_text' => 'Factures: :invoices pour :amount pour :client', - 'gateway_payment_text_no_invoice' => 'Payment with no invoice for amount :amount for client :client', + 'gateway_payment_text_no_invoice' => 'Paiement sans facture d\'un montant de :amount pour le client :client', 'click_to_variables' => 'Cliquez ici pour voir toutes les variables', 'ship_to' => 'Livrer à', - 'stripe_direct_debit_details' => 'Please transfer into the nominated bank account above.', - 'branch_name' => 'Branch Name', - 'branch_code' => 'Branch Code', - 'bank_name' => 'Bank Name', - 'bank_code' => 'Bank Code', + 'stripe_direct_debit_details' => 'Veuillez transférer dans le compte bancaire indiqué ci-dessus.', + 'branch_name' => 'Nom de branche', + 'branch_code' => 'Code de branche', + 'bank_name' => 'Nom de l\'institution bancaire', + 'bank_code' => 'Code de banque', 'bic' => 'BIC', - 'change_plan_description' => 'Upgrade or downgrade your current plan.', + 'change_plan_description' => 'Augmenter ou diminuer votre plan actuel.', 'add_company_logo' => 'Ajouter un logo', 'add_stripe' => 'Ajouter Stripe', 'invalid_coupon' => 'Coupon non valide', - 'no_assigned_tasks' => 'No billable tasks for this project', + 'no_assigned_tasks' => 'Aucune tâche facturable pour ce projet.', 'authorization_failure' => 'Permissions insuffisantes pour accomplir cette action', - 'authorization_sms_failure' => 'Please verify your account to send emails.', - 'white_label_body' => 'Thank you for purchasing a white label license.

Your license key is:

:license_key', + 'authorization_sms_failure' => 'Veuillez vérifier votre compte pour l\'envoi de courriel.', + 'white_label_body' => 'Merci d\'avoir acheté une licence.

Votre clé de licence est:

:license_key', 'payment_type_Klarna' => 'Klarna', 'payment_type_Interac E Transfer' => 'Transfert Interac', 'xinvoice_payable' => 'Payable within :payeddue days net until :paydate', - 'xinvoice_no_buyers_reference' => "No buyer's reference given", - 'xinvoice_online_payment' => 'The invoice needs to be payed online via the provided link', + 'xinvoice_no_buyers_reference' => "Aucune référence de l'acheteur fournie", + 'xinvoice_online_payment' => 'Cette facture doit être payée en ligne en utilisant le lien fourni', 'pre_payment' => 'Prépaiement', 'number_of_payments' => 'Nombre de paiements', - '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', + 'number_of_payments_helper' => 'Nombre de fois que ce paiement sera fait', + 'pre_payment_indefinitely' => 'Continuer jusqu\'à l\'annulation', + 'notification_payment_emailed' => 'Le paiement :payment a été envoyé par courriel à :client', + 'notification_payment_emailed_subject' => 'Le paiement :payment a été envoyé par courriel', 'record_not_found' => 'Enregistrement introuvable', - 'product_tax_exempt' => 'Product Tax Exempt', - 'product_type_physical' => 'Physical Goods', - 'product_type_digital' => 'Digital Goods', + 'product_tax_exempt' => 'Produit exempt de taxes', + 'product_type_physical' => 'Produits physiques', + 'product_type_digital' => 'Produits virtuels', 'product_type_service' => 'Services', 'product_type_freight' => 'Livraison', - 'minimum_payment_amount' => 'Minimum Payment Amount', + 'minimum_payment_amount' => 'Montant minimal de paiement', 'client_initiated_payments' => 'Paiements initiés par le client', - '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', + 'client_initiated_payments_help' => 'Autorise le paiement sans facture dans le portail client', + 'share_invoice_quote_columns' => 'Partager les colonnes facture/soumission', + 'cc_email' => 'CC', + 'payment_balance' => 'Solde de paiement', 'view_report_permission' => 'Autoriser l\'utilisateur à accéder aux rapports. L\'accès aux données est réservé selon les permissions', 'activity_138' => 'Le paiement :payment a été envoyé par courriel à :client', 'one_time_products' => 'Produits à usage unique', - 'optional_one_time_products' => 'Optional One-Time Products', + 'optional_one_time_products' => 'Produits à usage unique optionnels', 'required' => 'Requis', 'hidden' => 'Masqué', 'payment_links' => 'Liens de paiement', @@ -5012,8 +5012,8 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'search_payment_links' => 'Rechercher :count liens de paiement', 'increase_prices' => 'Augmentation des prix', 'update_prices' => 'Mettre les prix à jour', - 'incresed_prices' => 'Successfully queued prices to be increased', - 'updated_prices' => 'Successfully queued prices to be updated', + 'incresed_prices' => 'Les prix ont été mis en file d\'attente pour leur augmentation', + 'updated_prices' => 'Les prix ont été mis en file d\'attente pour leur mise à jour', 'api_token' => 'Jeton API', 'api_key' => 'Clé API', 'endpoint' => 'Endpoint', @@ -5023,37 +5023,37 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'show_task_item_description' => 'Afficher la description des articles de tâches', 'show_task_item_description_help' => 'Activer les descriptions de tâches d\'article', 'email_record' => 'Envoyer l\'enregistrement par courriel', - 'invoice_product_columns' => 'Invoice Product Columns', + 'invoice_product_columns' => 'Facturer les colonnes de produits', 'quote_product_columns' => 'Quote Product Columns', 'vendors' => 'Fournisseurs', 'product_sales' => 'Ventes de produits', 'user_sales_report_header' => 'User sales report for client/s :client from :start_date to :end_date', - 'client_balance_report' => 'Customer balance report', - 'client_sales_report' => 'Customer sales report', - 'user_sales_report' => 'User sales report', - 'aged_receivable_detailed_report' => 'Aged Receivable Detailed Report', - 'aged_receivable_summary_report' => 'Aged Receivable Summary Report', + 'client_balance_report' => 'Rapport du solde de client', + 'client_sales_report' => 'Rapport de vente par client', + 'user_sales_report' => 'Rapport de vente par utilisateur', + 'aged_receivable_detailed_report' => 'Rapport détaillé des comptes à recevoir', + 'aged_receivable_summary_report' => 'Rapport sommaire des comptes à recevoir', 'taxable_amount' => 'Montant taxable', 'tax_summary' => 'Sommaire de taxes', 'oauth_mail' => 'OAuth / Mail', - 'preferences' => 'Preferences', + 'preferences' => 'Préférences', 'analytics' => 'Analytics', - 'reduced_rate' => 'Reduced Rate', - 'tax_all' => 'Tax All', - 'tax_selected' => 'Tax Selected', + 'reduced_rate' => 'Taux réduit', + 'tax_all' => 'Tout taxer', + 'tax_selected' => 'Taxe sélectionnée', 'version' => 'version', 'seller_subregion' => 'Seller Subregion', - 'calculate_taxes' => 'Calculate Taxes', + 'calculate_taxes' => 'Calculer les taxes', 'calculate_taxes_help' => 'Calcul automatique des taxes à la sauvegarde des factures', - 'link_expenses' => 'Link Expenses', - 'converted_client_balance' => 'Converted Client Balance', - 'converted_payment_balance' => 'Converted Payment Balance', - 'total_hours' => 'Total Hours', + 'link_expenses' => 'Lier les dépenses', + 'converted_client_balance' => 'Solde client converti', + 'converted_payment_balance' => 'Solde de paiement converti', + 'total_hours' => 'Total d\'heures', 'date_picker_hint' => 'Use +days to set the date in the future', - 'app_help_link' => 'More information ', - 'here' => 'here', - 'industry_Restaurant & Catering' => 'Restaurant & Catering', - 'show_credits_table' => 'Show Credits Table', + 'app_help_link' => 'Plus d\'information', + 'here' => 'ici', + 'industry_Restaurant & Catering' => 'Restauration et traiteur', + 'show_credits_table' => 'Arricher la liste des crédits', ); diff --git a/lang/it/texts.php b/lang/it/texts.php index fc363b9be8..422d63c4f9 100644 --- a/lang/it/texts.php +++ b/lang/it/texts.php @@ -199,9 +199,9 @@ $LANG = array( 'removed_logo' => 'Logo rimosso con successo', 'sent_message' => 'Messaggio inviato con successo', 'invoice_error' => 'Per favore, assicurati di aver selezionato un cliente e correggi tutti gli errori', - 'limit_clients' => 'Sorry, this will exceed the limit of :count clients. Please upgrade to a paid plan.', + 'limit_clients' => 'Siamo spiacenti, questo supererà il limite di client :count. Passa a un piano a pagamento.', 'payment_error' => 'C\'è stato un errore durante il pagamento. Riprova più tardi, per favore.', - 'registration_required' => 'Registration Required', + 'registration_required' => 'Registrazione richiesta', 'confirmation_required' => 'Vogliate confermare il vostro indirizzo email, :link per rinviare una email di conferma', 'updated_client' => 'Cliente aggiornato con successo', 'archived_client' => 'Cliente archiviato con successo', @@ -253,8 +253,8 @@ $LANG = array( 'notification_invoice_paid' => 'Un pagamento di :amount è stato effettuato dal cliente :client attraverso la fattura :invoice.', 'notification_invoice_sent' => 'Al seguente cliente :client è stata inviata via email la fattura :invoice di :amount.', 'notification_invoice_viewed' => 'Il seguente cliente :client ha visualizzato la fattura :invoice di :amount.', - 'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client', - 'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client', + 'stripe_payment_text' => 'Numero fattura :invoice per :amount per cliente :client', + 'stripe_payment_text_without_invoice' => 'Pagamento senza fattura per importo :amount per cliente :client', 'reset_password' => 'Puoi resettare la password del tuo account cliccando sul link qui sotto:', 'secure_payment' => 'Pagamento Sicuro', 'card_number' => 'Numero Carta', @@ -272,13 +272,7 @@ $LANG = array( 'erase_data' => 'Il tuo account non è registrato, questo eliminerà definitivamente i tuoi dati.', 'password' => 'Password', 'pro_plan_product' => 'Piano Pro', - 'pro_plan_success' => 'Thanks for choosing Invoice Ninja\'s Pro plan!

 
- Next Steps

A payable invoice has been sent to the email - address associated with your account. To unlock all of the awesome - Pro features, please follow the instructions on the invoice to pay - for a year of Pro-level invoicing.

- Can\'t find the invoice? Need further assistance? We\'re happy to help - -- email us at contact@invoiceninja.com', + 'pro_plan_success' => 'Grazie per aver scelto il piano Pro di Invoice Ninja!


Prossimi passi

Una fattura pagabile è stata inviata all'indirizzo e-mail associato al tuo account. Per sbloccare tutte le fantastiche funzionalità Pro, segui le istruzioni sulla fattura per pagare un anno di fatturazione a livello Pro.

Non trovi la fattura? Hai bisogno di ulteriore assistenza? Siamo felici di aiutarti: inviaci un'e-mail a contact@invoiceninja.com', 'unsaved_changes' => 'Ci sono dei cambiamenti non salvati', 'custom_fields' => 'Campi Personalizzabili', 'company_fields' => 'Campi Azienda', @@ -666,7 +660,7 @@ $LANG = array( 'help' => 'Aiuto', 'customize_help' => '

Usiamo :pdfmake_link per definire gli stili delle fatture in modo dichiarativo. Il link pdfmake :playground_link fornisce un ottimo modo per vedere la libreria in azione.

Se hai bisogno di aiuto per capire qualcosa, scrivi una domanda al nostro :forum_link con il design che stai usando.

', - 'playground' => 'playground', + 'playground' => 'terreno di gioco', 'support_forum' => 'Forum di supporto', 'invoice_due_date' => 'Scadenza fattura', 'quote_due_date' => 'Valido fino a', @@ -795,13 +789,13 @@ $LANG = array( 'activity_45' => 'L\'utente :user ha eliminato l\'attività :task', 'activity_46' => 'L\'utente :user ha ripristinato l\'attività :task', 'activity_47' => 'L\'utente :user ha aggiornato la spesa :expense', - 'activity_48' => ':user created user :user', - 'activity_49' => ':user updated user :user', - 'activity_50' => ':user archived user :user', - 'activity_51' => ':user deleted user :user', - 'activity_52' => ':user restored user :user', - 'activity_53' => ':user marked sent :invoice', - 'activity_54' => ':user paid invoice :invoice', + 'activity_48' => ':user utente creato :user', + 'activity_49' => ':user utente aggiornato :user', + 'activity_50' => ':user utente archiviato :user', + 'activity_51' => ':user cancellato utente :user', + 'activity_52' => ':user utente ripristinato :user', + 'activity_53' => ':user contrassegnato inviato :invoice', + 'activity_54' => ':user fattura pagata :invoice', 'activity_55' => ':contact ha risposto al ticket :ticket', 'activity_56' => ':user ha visualizzato il ticket :ticket', @@ -889,7 +883,7 @@ $LANG = array( 'custom_invoice_charges_helps' => 'Aggiungi un campo quando crei una fattura e includi il costo nel subtotale.', 'token_expired' => 'Flusso di validazione scaduto. Si prega di riprovare.', 'invoice_link' => 'Invoice Link', - 'button_confirmation_message' => 'Confirm your email.', + 'button_confirmation_message' => 'Conferma la tua email.', 'confirm' => 'Confirm', 'email_preferences' => 'Impostazioni Email', 'created_invoices' => 'Create con successo :count fattura/e', @@ -947,19 +941,7 @@ $LANG = array( 'edit_payment_term' => 'Modifica termini di pagamento', 'archive_payment_term' => 'Archivia termini di pagamento', 'recurring_due_dates' => 'Data Scadenza Fatture Ricorrenti', - 'recurring_due_date_help' => '

Automatically sets a due date for the invoice.

-

Invoices on a monthly or yearly cycle set to be due on or before the day they are created will be due the next month. Invoices set to be due on the 29th or 30th in months that don\'t have that day will be due the last day of the month.

-

Invoices on a weekly cycle set to be due on the day of the week they are created will be due the next week.

-

For example:

-
    -
  • Today is the 15th, due date is 1st of the month. The due date should likely be the 1st of the next month.
  • -
  • Today is the 15th, due date is the last day of the month. The due date will be the last day of the this month. -
  • -
  • Today is the 15th, due date is the 15th day of the month. The due date will be the 15th day of next month. -
  • -
  • Today is the Friday, due date is the 1st Friday after. The due date will be next Friday, not today. -
  • -
', + 'recurring_due_date_help' => '

Imposta automaticamente una data di scadenza per la fattura.

Le fatture su un ciclo mensile o annuale con scadenza il giorno in cui sono state create o prima, scadranno il mese successivo. Le fatture con scadenza il 29 o 30 nei mesi che non hanno quel giorno scadranno l'ultimo giorno del mese.

Le fatture su un ciclo settimanale con scadenza il giorno della settimana in cui sono state create scadranno la settimana successiva.

Per esempio:

  • Oggi è il 15, la data di scadenza è il 1° del mese. La data di scadenza dovrebbe essere probabilmente il 1° del mese successivo.
  • Oggi è il 15, la data di scadenza è l'ultimo giorno del mese. La data di scadenza sarà l'ultimo giorno di questo mese.
  • Oggi è il 15, la data di scadenza è il 15 del mese. La data di scadenza sarà il 15 del mese successivo .
  • Oggi è il venerdì, la data di scadenza è il primo venerdì successivo. La data di scadenza sarà venerdì prossimo, non oggi.
', 'due' => 'Da pagare', 'next_due_on' => 'Prossima scadenza: :date', 'use_client_terms' => 'Usa i termini del cliente', @@ -1003,7 +985,7 @@ $LANG = array( 'status_approved' => 'Approvato', 'quote_settings' => 'Impostazioni preventivo', 'auto_convert_quote' => 'Conversione automatica', - 'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved.', + 'auto_convert_quote_help' => 'Converti automaticamente un preventivo in fattura una volta approvato.', 'validate' => 'Convalida', 'info' => 'Info', 'imported_expenses' => 'Creato con successo :count_vendors fornitore(i) e :count_expenses spesa(e)', @@ -1189,7 +1171,7 @@ $LANG = array( ', 'plan_expires' => 'Scadenza piano', - 'white_label_button' => 'Purchase White Label', + 'white_label_button' => 'Acquista etichetta bianca', '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.', @@ -1293,13 +1275,13 @@ $LANG = array( 'webhook_url' => 'Webhook URL', 'stripe_webhook_help' => 'You must :link.', 'stripe_webhook_help_link_text' => 'aggiungi questo URL come endpoint su Stripe', - 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless', + 'gocardless_webhook_help_link_text' => 'aggiungi questo URL come endpoint in GoCardless', 'payment_method_error' => 'C\'è stato un errore nel salvare il tuo metodo di pagamento. Per favore prova più tardi.', 'notification_invoice_payment_failed_subject' => 'Pagamento fallito per la fattura :invoice', 'notification_invoice_payment_failed' => 'Il pagamento fatto da :client per la fattura :fattura è fallito. Il pagamento è stato segnato come fallito e :amout sono stati aggiunti al saldo del cliente.', - 'link_with_plaid' => 'Link Account Instantly with Plaid', + 'link_with_plaid' => 'Collega subito l'account con Plaid', 'link_manually' => 'Link Manuale', - 'secured_by_plaid' => 'Secured by Plaid', + 'secured_by_plaid' => 'Protetto da Plaid', 'plaid_linked_status' => 'Il tuo conto bancario presso :bank', 'add_payment_method' => 'Aggiungi un metodo di pagamento', 'account_holder_type' => 'Tipo Proprietario Account', @@ -1396,12 +1378,12 @@ $LANG = array( 'ach_email_prompt' => 'Per favore inserisci un indirizzo email:', 'verification_pending' => 'In attesa di Verifica', - 'update_font_cache' => 'Please force refresh the page to update the font cache.', + 'update_font_cache' => 'Forza l'aggiornamento della pagina per aggiornare la cache dei caratteri.', 'more_options' => 'Altre opzioni', 'credit_card' => 'Carta di Credito', 'bank_transfer' => 'Bonifico Bancario', - 'no_transaction_reference' => 'We did not receive a payment transaction reference from the gateway.', - 'use_bank_on_file' => 'Use Bank on File', + 'no_transaction_reference' => 'Non abbiamo ricevuto un riferimento alla transazione di pagamento dal gateway.', + 'use_bank_on_file' => 'Usa banca in archivio', 'auto_bill_email_message' => 'Questa fattura verrà automaticamente fatturata al metodo di pagamento in archivio alla data di scadenza.', 'bitcoin' => 'Bitcoin', 'gocardless' => 'GoCardless', @@ -1463,10 +1445,10 @@ $LANG = array( 'country_Albania' => 'Albania', 'country_Antarctica' => 'Antartide', 'country_Algeria' => 'Algeria', - 'country_American Samoa' => 'American Samoa', + 'country_American Samoa' => 'Samoa americane', 'country_Andorra' => 'Andorra', 'country_Angola' => 'Angola', - 'country_Antigua and Barbuda' => 'Antigua and Barbuda', + 'country_Antigua and Barbuda' => 'Antigua e Barbuda', 'country_Azerbaijan' => 'Azerbaijan', 'country_Argentina' => 'Argentina', 'country_Australia' => 'Australia', @@ -1479,16 +1461,16 @@ $LANG = array( 'country_Belgium' => 'Belgio', 'country_Bermuda' => 'Bermuda', 'country_Bhutan' => 'Bhutan', - 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of', - 'country_Bosnia and Herzegovina' => 'Bosnia and Herzegovina', + 'country_Bolivia, Plurinational State of' => 'Bolivia, Stato Plurinazionale di', + 'country_Bosnia and Herzegovina' => 'Bosnia Erzegovina', 'country_Botswana' => 'Botswana', - 'country_Bouvet Island' => 'Bouvet Island', + 'country_Bouvet Island' => 'Isola Bouvet', 'country_Brazil' => 'Brasile', 'country_Belize' => 'Belize', - 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory', + 'country_British Indian Ocean Territory' => 'Territorio britannico dell'Oceano Indiano', 'country_Solomon Islands' => 'Isole Solomone', - 'country_Virgin Islands, British' => 'Virgin Islands, British', - 'country_Brunei Darussalam' => 'Brunei Darussalam', + 'country_Virgin Islands, British' => 'Isole Vergini, britanniche', + 'country_Brunei Darussalam' => 'Brunei Darusalam', 'country_Bulgaria' => 'Bulgaria', 'country_Myanmar' => 'Myanmar', 'country_Burundi' => 'Burundi', @@ -1496,7 +1478,7 @@ $LANG = array( 'country_Cambodia' => 'Cambogia', 'country_Cameroon' => 'Camerun', 'country_Canada' => 'Canada', - 'country_Cape Verde' => 'Cape Verde', + 'country_Cape Verde' => 'capo Verde', 'country_Cayman Islands' => 'Isole Cayman', 'country_Central African Republic' => 'Repubblica di Centro Africa', 'country_Sri Lanka' => 'Sri Lanka', @@ -1504,11 +1486,11 @@ $LANG = array( 'country_Chile' => 'Cile', 'country_China' => 'Cina', 'country_Taiwan, Province of China' => 'Taiwan', - 'country_Christmas Island' => 'Christmas Island', - 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands', + 'country_Christmas Island' => 'Isola di Natale', + 'country_Cocos (Keeling) Islands' => 'Isole Cocos (Keeling).', 'country_Colombia' => 'Colombia', - 'country_Comoros' => 'Comoros', - 'country_Mayotte' => 'Mayotte', + 'country_Comoros' => 'Comore', + 'country_Mayotte' => 'Mayotta', 'country_Congo' => 'Congo', 'country_Congo, the Democratic Republic of the' => 'Congo', 'country_Cook Islands' => 'Isola di Cook', @@ -1519,43 +1501,43 @@ $LANG = array( 'country_Czech Republic' => 'Repubblica Ceca', 'country_Benin' => 'Benin', 'country_Denmark' => 'Danimarca', - 'country_Dominica' => 'Dominica', + 'country_Dominica' => 'Domenico', 'country_Dominican Republic' => 'Repubblica Dominicana', 'country_Ecuador' => 'Ecuador', 'country_El Salvador' => 'El Salvador', - 'country_Equatorial Guinea' => 'Equatorial Guinea', + 'country_Equatorial Guinea' => 'Guinea Equatoriale', 'country_Ethiopia' => 'tiopia', 'country_Eritrea' => 'Eritrea', 'country_Estonia' => 'Estonia', 'country_Faroe Islands' => 'Isole Faroe', 'country_Falkland Islands (Malvinas)' => 'Isole Falkland (Malvina)', - 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands', + 'country_South Georgia and the South Sandwich Islands' => 'Georgia del Sud e Isole Sandwich Australi', 'country_Fiji' => 'Fiji', 'country_Finland' => 'Finlandia', - 'country_Åland Islands' => 'Åland Islands', + 'country_Åland Islands' => 'Isole Aland', 'country_France' => 'Francia', - 'country_French Guiana' => 'French Guiana', - 'country_French Polynesia' => 'French Polynesia', - 'country_French Southern Territories' => 'French Southern Territories', - 'country_Djibouti' => 'Djibouti', + 'country_French Guiana' => 'Guiana francese', + 'country_French Polynesia' => 'Polinesia francese', + 'country_French Southern Territories' => 'Territori della Francia del sud', + 'country_Djibouti' => 'Gibuti', 'country_Gabon' => 'Gabon', 'country_Georgia' => 'Georgia', 'country_Gambia' => 'Gambia', - 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied', + 'country_Palestinian Territory, Occupied' => 'Territorio palestinese, occupato', 'country_Germany' => 'Germania', 'country_Ghana' => 'Ghana', 'country_Gibraltar' => 'Gibilterra', 'country_Kiribati' => 'Kiribati', 'country_Greece' => 'Grecia', 'country_Greenland' => 'Groenlandia', - 'country_Grenada' => 'Grenada', - 'country_Guadeloupe' => 'Guadeloupe', + 'country_Grenada' => 'Granada', + 'country_Guadeloupe' => 'Guadalupa', 'country_Guam' => 'Guam', 'country_Guatemala' => 'Guatemala', 'country_Guinea' => 'Guinea', 'country_Guyana' => 'Guyana', 'country_Haiti' => 'Haiti', - 'country_Heard Island and McDonald Islands' => 'Heard Island and McDonald Islands', + 'country_Heard Island and McDonald Islands' => 'Isole Heard e McDonald', 'country_Holy See (Vatican City State)' => 'Città del Vaticano', 'country_Honduras' => 'Honduras', 'country_Hong Kong' => 'Hong Kong', @@ -1574,13 +1556,13 @@ $LANG = array( 'country_Kazakhstan' => 'Kazakhstan', 'country_Jordan' => 'Giordania', 'country_Kenya' => 'Kenya', - 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of', - 'country_Korea, Republic of' => 'Korea, Republic of', + 'country_Korea, Democratic People\'s Republic of' => 'Corea, Repubblica popolare democratica di', + 'country_Korea, Republic of' => 'Corea, Repubblica di', 'country_Kuwait' => 'Kuwait', 'country_Kyrgyzstan' => 'Kyrgyzstan', - 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic', + 'country_Lao People\'s Democratic Republic' => 'Repubblica democratica popolare del Laos', 'country_Lebanon' => 'Libano', - 'country_Lesotho' => 'Lesotho', + 'country_Lesotho' => 'Lesoto', 'country_Latvia' => 'Lettonia', 'country_Liberia' => 'Liberia', 'country_Libya' => 'Libia', @@ -1594,26 +1576,26 @@ $LANG = array( 'country_Maldives' => 'Maldive', 'country_Mali' => 'Mali', 'country_Malta' => 'Malta', - 'country_Martinique' => 'Martinique', + 'country_Martinique' => 'Martinica', 'country_Mauritania' => 'Mauritania', 'country_Mauritius' => 'Mauritius', 'country_Mexico' => 'Messico', 'country_Monaco' => 'Monaco', 'country_Mongolia' => 'Mongolia', - 'country_Moldova, Republic of' => 'Moldova, Republic of', + 'country_Moldova, Republic of' => 'Moldavia, Repubblica di', 'country_Montenegro' => 'Montenegro', 'country_Montserrat' => 'Montserrat', - 'country_Morocco' => 'Morocco', - 'country_Mozambique' => 'Mozambique', + 'country_Morocco' => 'Marocco', + 'country_Mozambique' => 'Mozambico', 'country_Oman' => 'Oman', 'country_Namibia' => 'Namibia', 'country_Nauru' => 'Nauru', 'country_Nepal' => 'Nepal', 'country_Netherlands' => 'Olanda', - 'country_Curaçao' => 'Curaçao', + 'country_Curaçao' => 'Curacao', 'country_Aruba' => 'Aruba', - 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)', - 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba', + 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (parte olandese)', + 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius e Saba', 'country_New Caledonia' => 'Nuova Caledonia', 'country_Vanuatu' => 'Vanuatu', 'country_New Zealand' => 'Nuova Zelanda', @@ -1621,12 +1603,12 @@ $LANG = array( 'country_Niger' => 'Niger', 'country_Nigeria' => 'Nigeria', 'country_Niue' => 'Niue', - 'country_Norfolk Island' => 'Norfolk Island', + 'country_Norfolk Island' => 'Isola Norfolk', 'country_Norway' => 'Norvegia', - 'country_Northern Mariana Islands' => 'Northern Mariana Islands', - 'country_United States Minor Outlying Islands' => 'United States Minor Outlying Islands', - 'country_Micronesia, Federated States of' => 'Micronesia, Federated States of', - 'country_Marshall Islands' => 'Marshall Islands', + 'country_Northern Mariana Islands' => 'Isole Marianne settentrionali', + 'country_United States Minor Outlying Islands' => 'Isole minori esterne degli Stati Uniti', + 'country_Micronesia, Federated States of' => 'Micronesia, Stati Federati di', + 'country_Marshall Islands' => 'Isole Marshall', 'country_Palau' => 'Palau', 'country_Pakistan' => 'Pakistan', 'country_Panama' => 'Panama', @@ -1637,24 +1619,24 @@ $LANG = array( 'country_Pitcairn' => 'Pitcairn', 'country_Poland' => 'Polonia', 'country_Portugal' => 'ortogallo', - 'country_Guinea-Bissau' => 'Guinea-Bissau', - 'country_Timor-Leste' => 'Timor-Leste', + 'country_Guinea-Bissau' => 'Guinea Bissau', + 'country_Timor-Leste' => 'Timor Est', 'country_Puerto Rico' => 'Porto Rico', 'country_Qatar' => 'Qatar', - 'country_Réunion' => 'Réunion', + 'country_Réunion' => 'Riunione', 'country_Romania' => 'Romania', 'country_Russian Federation' => 'Russia', 'country_Rwanda' => 'Ruanda', 'country_Saint Barthélemy' => 'Saint Barthélemy', - 'country_Saint Helena, Ascension and Tristan da Cunha' => 'Saint Helena, Ascension and Tristan da Cunha', - 'country_Saint Kitts and Nevis' => 'Saint Kitts and Nevis', + 'country_Saint Helena, Ascension and Tristan da Cunha' => 'Sant'Elena, Ascensione e Tristan da Cunha', + 'country_Saint Kitts and Nevis' => 'Saint Kitts e Nevis', 'country_Anguilla' => 'Anguilla', - 'country_Saint Lucia' => 'Saint Lucia', - 'country_Saint Martin (French part)' => 'Saint Martin (French part)', - 'country_Saint Pierre and Miquelon' => 'Saint Pierre and Miquelon', - 'country_Saint Vincent and the Grenadines' => 'Saint Vincent and the Grenadines', + 'country_Saint Lucia' => 'Santa Lucia', + 'country_Saint Martin (French part)' => 'Saint Martin (parte francese)', + 'country_Saint Pierre and Miquelon' => 'San Pietro e Miquelon', + 'country_Saint Vincent and the Grenadines' => 'Saint Vincent e Grenadine', 'country_San Marino' => 'San Marino', - 'country_Sao Tome and Principe' => 'Sao Tome and Principe', + 'country_Sao Tome and Principe' => 'Sao Tomè e Principe', 'country_Saudi Arabia' => 'Arabia Saudita', 'country_Senegal' => 'Senegal', 'country_Serbia' => 'Serbia', @@ -1662,49 +1644,49 @@ $LANG = array( 'country_Sierra Leone' => 'Sierra Leone', 'country_Singapore' => 'Singapore', 'country_Slovakia' => 'Slovacchia', - 'country_Viet Nam' => 'Viet Nam', + 'country_Viet Nam' => 'Vietnam', 'country_Slovenia' => 'Slovenia', 'country_Somalia' => 'Somalia', 'country_South Africa' => 'Sud Africa', 'country_Zimbabwe' => 'Zimbabwe', 'country_Spain' => 'Spagna', - 'country_South Sudan' => 'South Sudan', + 'country_South Sudan' => 'Sudan del Sud', 'country_Sudan' => 'Sudan', - 'country_Western Sahara' => 'Western Sahara', + 'country_Western Sahara' => 'Sahara occidentale', 'country_Suriname' => 'Suriname', - 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen', + 'country_Svalbard and Jan Mayen' => 'Svalbard e Jan Mayen', 'country_Swaziland' => 'Swaziland', 'country_Sweden' => 'Svezia', 'country_Switzerland' => 'Svizzera', - 'country_Syrian Arab Republic' => 'Syrian Arab Republic', + 'country_Syrian Arab Republic' => 'Repubblica Araba Siriana', 'country_Tajikistan' => 'Tajikistan', - 'country_Thailand' => 'Thailand', + 'country_Thailand' => 'Tailandia', 'country_Togo' => 'Togo', 'country_Tokelau' => 'Tokelau', 'country_Tonga' => 'Tonga', - 'country_Trinidad and Tobago' => 'Trinidad and Tobago', - 'country_United Arab Emirates' => 'United Arab Emirates', + 'country_Trinidad and Tobago' => 'Trinidad e Tobago', + 'country_United Arab Emirates' => 'Emirati Arabi Uniti', 'country_Tunisia' => 'Tunisia', 'country_Turkey' => 'Turchia', 'country_Turkmenistan' => 'Turkmenistan', - 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands', - 'country_Tuvalu' => 'Tuvalu', + 'country_Turks and Caicos Islands' => 'Isole Turks e Caicos', + 'country_Tuvalu' => 'Tuvalù', 'country_Uganda' => 'Uganda', 'country_Ukraine' => 'Ucraina', - 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of', + 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, ex Repubblica jugoslava di', 'country_Egypt' => 'Egitto', 'country_United Kingdom' => 'Regno Unito', 'country_Guernsey' => 'Guernsey', - 'country_Jersey' => 'Jersey', - 'country_Isle of Man' => 'Isle of Man', - 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of', + 'country_Jersey' => 'Maglia', + 'country_Isle of Man' => 'Isola di Man', + 'country_Tanzania, United Republic of' => 'Tanzania, Repubblica Unita di', 'country_United States' => 'Stati Uniti', - 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.', + 'country_Virgin Islands, U.S.' => 'Isole Vergini, Stati Uniti', 'country_Burkina Faso' => 'Burkina Faso', 'country_Uruguay' => 'Uruguay', 'country_Uzbekistan' => 'Uzbekistan', 'country_Venezuela, Bolivarian Republic of' => 'Venezuela', - 'country_Wallis and Futuna' => 'Wallis and Futuna', + 'country_Wallis and Futuna' => 'Wallis e Futuna', 'country_Samoa' => 'Samoa', 'country_Yemen' => 'Yemen', 'country_Zambia' => 'Zambia', @@ -1739,8 +1721,8 @@ $LANG = array( 'lang_Portuguese - Brazilian' => 'Portoghese - Brasiliano', 'lang_Portuguese - Portugal' => 'Portoghese - Portogallo', 'lang_Thai' => 'Thailandese', - 'lang_Macedonian' => 'Macedonian', - 'lang_Chinese - Taiwan' => 'Chinese - Taiwan', + 'lang_Macedonian' => 'macedone', + 'lang_Chinese - Taiwan' => 'Cinese - Taiwan', 'lang_Serbian' => 'Serbo', 'lang_Bulgarian' => 'Bulgaro', 'lang_Russian (Russia)' => 'Russo (Russia)', @@ -1752,23 +1734,23 @@ $LANG = array( 'industry_Aerospace' => 'Aerospaziale', 'industry_Agriculture' => 'Agricoltura', 'industry_Automotive' => 'Automobilistico', - 'industry_Banking & Finance' => 'Banking & Finance', + 'industry_Banking & Finance' => 'Banche e finanza', '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_Broadcasting' => 'Trasmissione', + 'industry_Business Services' => 'Servizi per gli affari', + 'industry_Commodities & Chemicals' => 'Materie prime e prodotti chimici', + 'industry_Communications' => 'Comunicazioni', + 'industry_Computers & Hightech' => 'Computer e alta tecnologia', 'industry_Defense' => 'Difesa', 'industry_Energy' => 'Energia', 'industry_Entertainment' => 'Intrattenimento', 'industry_Government' => 'Governo', - 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences', + 'industry_Healthcare & Life Sciences' => 'Sanità e scienze della vita', 'industry_Insurance' => 'Assicurazione', 'industry_Manufacturing' => 'Manifatturiero', 'industry_Marketing' => 'Marketing', 'industry_Media' => 'Media', - 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed', + 'industry_Nonprofit & Higher Ed' => 'Non profit e istruzione superiore', 'industry_Pharmaceuticals' => 'Farmaceutico', 'industry_Professional Services & Consulting' => 'Servizi Professionali & Consulenza', 'industry_Real Estate' => 'Immobiliare', @@ -1833,7 +1815,7 @@ $LANG = array( 'bot_emailed_notify_paid' => 'Ti mando una mail quando è pagata.', 'add_product_to_invoice' => 'Aggiungi 1 :product', 'not_authorized' => 'Non hai l\'autorizzazione', - 'bot_get_email' => 'Hi! (wave)
Thanks for trying the Invoice Ninja Bot.
You need to create a free account to use this bot.
Send me your account email address to get started.', + 'bot_get_email' => 'CIAO! (onda)
Grazie per aver provato Invoice Ninja Bot.
Devi creare un account gratuito per utilizzare questo bot.
Inviami l'indirizzo email del tuo account per iniziare.', 'bot_get_code' => 'Grazie! Ti ho inviato un\'email con il tuo codice di sicurezza', 'bot_welcome' => 'Fatto, il tuo account è stato verificato.', 'email_not_found' => 'Nessun account trovato per :email', @@ -1854,7 +1836,7 @@ $LANG = array( 'update_invoiceninja_warning' => 'Prima di aggiornare Invoice Ninja, crea un backup del database e dei files!', 'update_invoiceninja_available' => 'Una nuova versione di Invoice Ninja è disponibile.', 'update_invoiceninja_unavailable' => 'Non ci sono disponibili nuove versioni di Invoice Ninja.', - 'update_invoiceninja_instructions' => 'Please install the new version :version by clicking the Update now button below. Afterwards you\'ll be redirected to the dashboard.', + 'update_invoiceninja_instructions' => 'Installa la nuova versione :version facendo clic sul pulsante Aggiorna ora in basso. Successivamente verrai reindirizzato alla dashboard.', 'update_invoiceninja_update_start' => 'Aggiorna ora', 'update_invoiceninja_download_start' => 'Scarica :version', 'create_new' => 'Crea Nuovo', @@ -1865,12 +1847,12 @@ $LANG = array( 'task' => 'Attività', 'contact_name' => 'Nome Contatto', 'city_state_postal' => 'Città/Stato/CAP', - 'postal_city' => 'Postal/City', + 'postal_city' => 'Postale/Città', 'custom_field' => 'Campo Personalizzato', 'account_fields' => 'Campi Azienda', 'facebook_and_twitter' => 'Facebook e Twitter', - 'facebook_and_twitter_help' => 'Follow our feeds to help support our project', - 'reseller_text' => 'Note: the white-label license is intended for personal use, please email us at :email if you\'d like to resell the app.', + 'facebook_and_twitter_help' => 'Segui i nostri feed per contribuire a sostenere il nostro progetto', + 'reseller_text' => 'Nota: la licenza white-label è destinata all'uso personale, inviaci un'e-mail a :email se desideri rivendere l'app.', 'unnamed_client' => 'Cliente senza nome', 'day' => 'GIorno', @@ -1895,8 +1877,8 @@ $LANG = array( 'limits_not_met' => 'Questa fattura non rispetta i limiti per quel metodo di pagamento.', 'date_range' => 'Intervallo di Tempo', - 'raw' => 'Raw', - 'raw_html' => 'Raw HTML', + 'raw' => 'Crudo', + 'raw_html' => 'HTML grezzo', 'update' => 'Aggiorna', 'invoice_fields_help' => 'Spostali per cambiare ordine e posizione', 'new_category' => 'Nuova Categoria', @@ -1955,7 +1937,7 @@ $LANG = array( 'vendor_name' => 'Fornitore', 'entity_state' => 'Stato', 'client_created_at' => 'Data Creazione', - 'postmark_error' => 'There was a problem sending the email through Postmark: :link', + 'postmark_error' => 'Si è verificato un problema nell'invio dell'e-mail tramite Postmark: :link', 'project' => 'Progetto', 'projects' => 'Progetti', 'new_project' => 'Nuovo Progetto', @@ -1983,53 +1965,53 @@ $LANG = array( 'realtime_preview' => 'Anteprima Live', 'realtime_preview_help' => 'Aggiorna in tempo reale l\'anteprima PDF sulla pagina della fattura quando si modifica la fattura.
Disabilita questa opzione per migliorare le prestazioni quando si modificano le fatture.', 'live_preview_help' => 'Visualizza un\'anteprima PDF aggiornata nella pagina della fattura.', - 'force_pdfjs_help' => 'Replace the built-in PDF viewer in :chrome_link and :firefox_link.
Enable this if your browser is automatically downloading the PDF.', + 'force_pdfjs_help' => 'Sostituisci il visualizzatore PDF integrato in :chrome_link e :firefox_link.
Abilita questa opzione se il tuo browser sta scaricando automaticamente il PDF.', 'force_pdfjs' => 'Impedisci il download', - 'redirect_url' => 'Redirect URL', + 'redirect_url' => 'URL di reindirizzamento', 'redirect_url_help' => 'Specifica un URL su cui redirigere dopo il pagamento (Opzionale)', 'save_draft' => 'Salva Bozza', 'refunded_credit_payment' => 'Pagamento del credito rimborsato', - 'keyboard_shortcuts' => 'Keyboard Shortcuts', - 'toggle_menu' => 'Toggle Menu', + 'keyboard_shortcuts' => 'Tasti rapidi', + 'toggle_menu' => 'Cambia menu', 'new_...' => 'Nuovo ...', 'list_...' => 'Lista ...', 'created_at' => 'Data Creazione', 'contact_us' => 'Contattaci', 'user_guide' => 'Guida Utente', - 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.', - 'discount_message' => ':amount off expires :expires', + 'promo_message' => 'Esegui l'upgrade prima di :expires e ottieni uno SCONTO :amount sul tuo primo anno dei nostri pacchetti Pro o Enterprise.', + 'discount_message' => ':amount sconto scade :expires', 'mark_paid' => 'Segna come Pagata', 'marked_sent_invoice' => 'Fattura segnata come spedita', 'marked_sent_invoices' => 'Fatture segnate come spedite', 'invoice_name' => 'Fattura', 'product_will_create' => 'prodotto sarà creato', - 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.', + 'contact_us_response' => 'Grazie per il vostro messaggio! Cercheremo di rispondere il prima possibile.', 'last_7_days' => 'Ultimi 7 giorni', 'last_30_days' => 'Ultimi 30 giorni', 'this_month' => 'Questo mese', 'last_month' => 'Mese scorso', - 'current_quarter' => 'Current Quarter', - 'last_quarter' => 'Last Quarter', + 'current_quarter' => 'Quartiere attuale', + 'last_quarter' => 'Ultimo quarto', 'last_year' => 'Anno scorso', 'custom_range' => 'Intervallo personalizzato', 'url' => 'URL', 'debug' => 'Debug', 'https' => 'HTTPS', 'require' => 'Obbligatorio', - 'license_expiring' => 'Note: Your license will expire in :count days, :link to renew it.', + 'license_expiring' => 'Nota: la tua licenza scadrà tra :count giorni, :link per rinnovarla.', 'security_confirmation' => 'Il tuo indirizzo email è stato confermato.', - 'white_label_expired' => 'Your white label license has expired, please consider renewing it to help support our project.', + 'white_label_expired' => 'La tua licenza white label è scaduta, considera di rinnovarla per sostenere il nostro progetto.', 'renew_license' => 'Rinnova Licenza', - 'iphone_app_message' => 'Consider downloading our :link', + 'iphone_app_message' => 'Prendi in considerazione il download del nostro :link', 'iphone_app' => 'App per iPhone', 'android_app' => 'App Android', 'logged_in' => 'Autenticato', 'switch_to_primary' => 'Passa alla tua compagnia primaria (:name) per gestire il tuo piano.', 'inclusive' => 'Inclusiva', 'exclusive' => 'Esclusiva', - 'postal_city_state' => 'Postal/City/State', + 'postal_city_state' => 'Posta/Città/Stato', 'phantomjs_help' => 'In certi casi l\'applicazione usa :link_phantom per generare PDF, installa :link_docs per generarli localmente.', - 'phantomjs_local' => 'Using local PhantomJS', + 'phantomjs_local' => 'Utilizzo di PhantomJS locale', 'client_number' => 'Numero Cliente', 'client_number_help' => 'Specifica un prefisso o usa un modello personalizzato per settare dinamicamente il numero cliente.', 'next_client_number' => 'Il prossimo numero cliente è :number.', @@ -2038,7 +2020,7 @@ $LANG = array( 'notes_reminder2' => 'Secondo promemoria', 'notes_reminder3' => 'Terzo promemoria', 'notes_reminder4' => 'Promemoria', - 'bcc_email' => 'BCC Email', + 'bcc_email' => 'E-mail Ccn', 'tax_quote' => 'Tassa Preventivo', 'tax_invoice' => 'Tassa Fattura', 'emailed_invoices' => 'Fatture inviate con successo', @@ -2055,7 +2037,7 @@ $LANG = array( 'sort_by' => 'Ordina per', 'draft' => 'Bozza', 'unpaid' => 'Non pagata', - 'aging' => 'Aging', + 'aging' => 'Invecchiamento', 'age' => 'Età', 'days' => 'Giorni', 'age_group_0' => '0 - 30 Giorni', @@ -2082,21 +2064,21 @@ $LANG = array( 'sent_by' => 'Inviato da :user', 'recipients' => 'Destinatari', 'save_as_default' => 'Salva come predefinito', - 'start_of_week_help' => 'Used by date selectors', - 'financial_year_start_help' => 'Used by date range selectors', - 'reports_help' => 'Shift + Click to sort by multiple columns, Ctrl + Click to clear the grouping.', + 'start_of_week_help' => 'Utilizzato dai selettori di data', + 'financial_year_start_help' => 'Utilizzato dai selettori dell'intervallo di date', + 'reports_help' => 'Maiusc + clic per ordinare per più colonne, Ctrl + clic per cancellare il raggruppamento.', 'this_year' => 'Quest\'anno', // Updated login screen 'ninja_tagline' => 'Crea. Invia. Fatti pagare.', 'login_or_existing' => 'Oppure accedi con un account collegato.', 'sign_up_now' => 'Iscriviti ora', - 'not_a_member_yet' => 'Not a member yet?', + 'not_a_member_yet' => 'non sei ancora un membro?', 'login_create_an_account' => 'Crea un account!', // New Client Portal styling 'invoice_from' => 'Fatture Da:', - 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com', + 'email_alias_message' => 'Richiediamo a ogni azienda di avere un indirizzo e-mail univoco.
Prendi in considerazione l'utilizzo di un alias. ad esempio, email+etichetta@example.com', 'full_name' => 'Nome Completo', 'month_year' => 'MESE/ANNO', 'valid_thru' => 'Valido\nfino a', @@ -2107,7 +2089,7 @@ $LANG = array( 'freq_yearly' => 'Annualmente', 'profile' => 'Profilo', 'payment_type_help' => 'Imposta il tipo di pagamento predefinito.', - 'industry_Construction' => 'Construction', + 'industry_Construction' => 'Costruzione', 'your_statement' => 'La tua dichiarazione', 'statement_issued_to' => 'Dichiarazione rilasciata a', 'statement_to' => 'Dichiarazione per', @@ -2136,7 +2118,7 @@ $LANG = array( 'no_fees' => 'Nessun costo', 'gateway_fees_disclaimer' => 'Attenzione: non tutti gli stati/piattaforme permettono l\'aggiunta di commissioni, rivedere le leggi locali/i termini di utilizzo.', 'percent' => 'Percentuale', - 'location' => 'Location', + 'location' => 'Posizione', 'line_item' => 'Riga articolo', 'surcharge' => 'Sovrapprezzo', 'location_first_surcharge' => 'Abilitata - Prima imposta', @@ -2152,8 +2134,8 @@ $LANG = array( 'label_and_taxes' => 'etichetta e tasse', 'billable' => 'Fatturabile', 'logo_warning_too_large' => 'Il file dell\'immagine è troppo grande.', - 'logo_warning_fileinfo' => 'Warning: To support gifs the fileinfo PHP extension needs to be enabled.', - 'logo_warning_invalid' => 'There was a problem reading the image file, please try a different format.', + 'logo_warning_fileinfo' => 'Avvertenza: per supportare le gif, l'estensione PHP fileinfo deve essere abilitata.', + 'logo_warning_invalid' => 'Si è verificato un problema durante la lettura del file immagine, prova un formato diverso.', 'error_refresh_page' => 'Si è verificato un errore, si prega di aggiornare la pagina e riprovare.', 'data' => 'Dati', 'imported_settings' => 'Impostazioni importate con successo', @@ -2166,7 +2148,7 @@ $LANG = array( 'fees_disabled_for_gateway' => 'Tariffe disattivate per questa piattaforma.', 'logout_and_delete' => 'Esci/Elimina Account', 'tax_rate_type_help' => 'Le aliquote fiscali inclusive regolano il costo della voce della riga quando sono selezionate.
Solo le aliquote fiscali esclusive possono essere usate come predefinite.', - 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.', + 'invoice_footer_help' => 'Utilizzare $pageNumber e $pageCount per visualizzare le informazioni sulla pagina.', 'credit_note' => 'Nota di Credito', 'credit_issued_to' => 'Credito rilasciato a', 'credit_to' => 'Credito a', @@ -2179,9 +2161,9 @@ $LANG = array( 'delete_data' => 'Cancella dati', 'purge_data_help' => 'Elimina definitivamente tutti i dati ma conserva l\'account e le impostazioni.', 'cancel_account_help' => 'Elimina definitivamente l\'account insieme a tutti i dati e le impostazioni.', - 'purge_successful' => 'Successfully purged company data', + 'purge_successful' => 'Dati aziendali eliminati correttamente', 'forbidden' => 'Proibito', - 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.', + 'purge_data_message' => 'Avviso: questo cancellerà definitivamente i tuoi dati, non è possibile annullare.', 'contact_phone' => 'Telefono Contatto', 'contact_email' => 'Email di contatto', 'reply_to_email' => 'Indirizzo di Risposta mail', @@ -2191,12 +2173,12 @@ $LANG = array( 'confirm_account_to_import' => 'Conferma il tuo account per importare i dati.', 'import_started' => 'L\'importazione è iniziata, ti invieremo un\'email una volta completata.', 'listening' => 'In ascolto...', - 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"', + 'microphone_help' => 'Dì "nuova fattura per [cliente]" o "mostrami i pagamenti archiviati di [cliente]"', 'voice_commands' => 'Comandi vocali', 'sample_commands' => 'Comandi di esempio', - 'voice_commands_feedback' => 'We\'re actively working to improve this feature, if there\'s a command you\'d like us to support please email us at :email.', + 'voice_commands_feedback' => 'Stiamo lavorando attivamente per migliorare questa funzione, se c'è un comando che desideri che supportiamo, inviaci un'e-mail a :email.', 'payment_type_Venmo' => 'Venmo', - 'payment_type_Money Order' => 'Money Order', + 'payment_type_Money Order' => 'Vaglia', 'archived_products' => 'Archiviati con successo :count prodotti', 'recommend_on' => 'Si consiglia di abilitare questa impostazione.', 'recommend_off' => 'Si consiglia di disabilitare questa impostazione.', @@ -2204,7 +2186,7 @@ $LANG = array( 'surcharge_label' => 'Etichetta Sovrapprezzo', 'contact_fields' => 'Campi Contatto', 'custom_contact_fields_help' => 'Aggiungi un campo quando crei un contatto e opzionalmente visualizzalo assieme al suo valore nel PDF.', - 'datatable_info' => 'Showing :start to :end of :total entries', + 'datatable_info' => 'Visualizzazione da :start a :end delle voci :total', 'credit_total' => 'Credito Totale', 'mark_billable' => 'Segna come fatturabile', 'billed' => 'Fatturato', @@ -2214,16 +2196,16 @@ $LANG = array( 'navigation_variables' => 'Variabili navigazione', 'custom_variables' => 'Variabili Personalizzate', 'invalid_file' => 'Tipo di file non valido', - 'add_documents_to_invoice' => 'Add Documents to Invoice', + 'add_documents_to_invoice' => 'Aggiungi documenti alla fattura', 'mark_expense_paid' => 'Segna come pagato', - 'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', + 'white_label_license_error' => 'Impossibile convalidare la licenza, scaduta o attivazioni eccessive. Scrivi a contact@invoiceninja.com per ulteriori informazioni.', 'plan_price' => 'Prezzo del piano', 'wrong_confirmation' => 'Codice di conferma errato', 'oauth_taken' => 'Questo account è già registrato', - 'emailed_payment' => 'Successfully emailed payment', + 'emailed_payment' => 'Pagamento inviato con successo', 'email_payment' => 'Email Pagamento', 'invoiceplane_import' => 'Usate :link per migrare i tuoi dati da InvoicePlane.', - 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate', + 'duplicate_expense_warning' => 'Attenzione: questo :link potrebbe essere un duplicato', 'expense_link' => 'spesa', 'resume_task' => ' Riprendi l\'attività', 'resumed_task' => 'Attività ripresa con sucesso', @@ -2235,7 +2217,7 @@ $LANG = array( 'empty' => 'Vuoto', 'load_design' => 'Carica Design', 'accepted_card_logos' => 'Loghi carte accettate', - 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com', + 'phantomjs_local_and_cloud' => 'Utilizzando PhantomJS locale, tornando a phantomjscloud.com', 'google_analytics' => 'Google Analytics', 'analytics_key' => 'Chiave Analytics', 'analytics_key_help' => 'Tieni traccia dei pagamenti utilizzando :link', @@ -2283,20 +2265,20 @@ $LANG = array( 'import_warning_invalid_date' => 'Attenzione: il formato della data sembra non essere valido.', 'product_notes' => 'Note Prodotto', 'app_version' => 'Versione App', - 'ofx_version' => 'OFX Version', - 'gateway_help_23' => ':link to get your Stripe API keys.', + 'ofx_version' => 'Versione OFX', + 'gateway_help_23' => ':link per ottenere le tue chiavi API Stripe.', 'error_app_key_set_to_default' => 'Errore: APP_KEY è impostato su un valore predefinito, per aggiornarlo fai un backup del tuo database e poi esegui php artisan ninja:update-key', - 'charge_late_fee' => 'Charge Late Fee', - 'late_fee_amount' => 'Late Fee Amount', - 'late_fee_percent' => 'Late Fee Percent', - 'late_fee_added' => 'Late fee added on :date', + 'charge_late_fee' => 'Addebita la commissione per il ritardo', + 'late_fee_amount' => 'Importo della commissione per il ritardo', + 'late_fee_percent' => 'Percentuale commissione in ritardo', + 'late_fee_added' => 'Tariffa in ritardo aggiunta su :date', 'download_invoice' => 'Scarica fattura', 'download_quote' => 'Scarica Preventivo', 'invoices_are_attached' => 'I PDF delle tue fatture sono allegati.', 'downloaded_invoice' => 'Sarà inviata un\'email con il PDF della fattura', - 'downloaded_quote' => 'An email will be sent with the quote PDF', + 'downloaded_quote' => 'Verrà inviata una mail con il PDF del preventivo', 'downloaded_invoices' => 'Sarà inviata un\'email con i PDF delle fatture', - 'downloaded_quotes' => 'An email will be sent with the quote PDFs', + 'downloaded_quotes' => 'Verrà inviata un'e-mail con i PDF del preventivo', 'clone_expense' => 'Clona spesa', 'default_documents' => 'Documenti predefiniti', 'send_email_to_client' => 'Invia email a cliente', @@ -2306,118 +2288,118 @@ $LANG = array( 'currency_us_dollar' => 'Dollaro USA', 'currency_british_pound' => 'Sterlina Inglese', 'currency_euro' => 'Euro', - 'currency_south_african_rand' => 'South African Rand', - 'currency_danish_krone' => 'Danish Krone', - 'currency_israeli_shekel' => 'Israeli Shekel', - 'currency_swedish_krona' => 'Swedish Krona', - 'currency_kenyan_shilling' => 'Kenyan Shilling', - 'currency_canadian_dollar' => 'Canadian Dollar', - 'currency_philippine_peso' => 'Philippine Peso', - 'currency_indian_rupee' => 'Indian Rupee', - 'currency_australian_dollar' => 'Australian Dollar', - 'currency_singapore_dollar' => 'Singapore Dollar', + 'currency_south_african_rand' => 'Rand sudafricano', + 'currency_danish_krone' => 'Corona danese', + 'currency_israeli_shekel' => 'Siclo israeliano', + 'currency_swedish_krona' => 'Corona svedese', + 'currency_kenyan_shilling' => 'Scellino keniota', + 'currency_canadian_dollar' => 'Dollaro canadese', + 'currency_philippine_peso' => 'Peso filippino', + 'currency_indian_rupee' => 'rupia indiana', + 'currency_australian_dollar' => 'Dollaro australiano', + 'currency_singapore_dollar' => 'Dollaro di Singapore', 'currency_norske_kroner' => 'Norske Kroner', - 'currency_new_zealand_dollar' => 'New Zealand Dollar', - 'currency_vietnamese_dong' => 'Vietnamese Dong', - 'currency_swiss_franc' => 'Swiss Franc', - 'currency_guatemalan_quetzal' => 'Guatemalan Quetzal', - 'currency_malaysian_ringgit' => 'Malaysian Ringgit', - 'currency_brazilian_real' => 'Brazilian Real', - 'currency_thai_baht' => 'Thai Baht', - 'currency_nigerian_naira' => 'Nigerian Naira', - 'currency_argentine_peso' => 'Argentine Peso', - 'currency_bangladeshi_taka' => 'Bangladeshi Taka', - 'currency_united_arab_emirates_dirham' => 'United Arab Emirates Dirham', - 'currency_hong_kong_dollar' => 'Hong Kong Dollar', - 'currency_indonesian_rupiah' => 'Indonesian Rupiah', - 'currency_mexican_peso' => 'Mexican Peso', - 'currency_egyptian_pound' => 'Egyptian Pound', - 'currency_colombian_peso' => 'Colombian Peso', - 'currency_west_african_franc' => 'West African Franc', - 'currency_chinese_renminbi' => 'Chinese Renminbi', - 'currency_rwandan_franc' => 'Rwandan Franc', - 'currency_tanzanian_shilling' => 'Tanzanian Shilling', - 'currency_netherlands_antillean_guilder' => 'Netherlands Antillean Guilder', - 'currency_trinidad_and_tobago_dollar' => 'Trinidad and Tobago Dollar', - 'currency_east_caribbean_dollar' => 'East Caribbean Dollar', - 'currency_ghanaian_cedi' => 'Ghanaian Cedi', - 'currency_bulgarian_lev' => 'Bulgarian Lev', - 'currency_aruban_florin' => 'Aruban Florin', - 'currency_turkish_lira' => 'Turkish Lira', - 'currency_romanian_new_leu' => 'Romanian New Leu', - 'currency_croatian_kuna' => 'Croatian Kuna', - 'currency_saudi_riyal' => 'Saudi Riyal', + 'currency_new_zealand_dollar' => 'Dollaro neozelandese', + 'currency_vietnamese_dong' => 'Dong vietnamita', + 'currency_swiss_franc' => 'Franco svizzero', + 'currency_guatemalan_quetzal' => 'Quetzal guatemalteco', + 'currency_malaysian_ringgit' => 'Ringgit malese', + 'currency_brazilian_real' => 'Real brasiliano', + 'currency_thai_baht' => 'Baht tailandese', + 'currency_nigerian_naira' => 'Naira nigeriana', + 'currency_argentine_peso' => 'Peso argentino', + 'currency_bangladeshi_taka' => 'Taka bengalese', + 'currency_united_arab_emirates_dirham' => 'Dirham degli Emirati Arabi Uniti', + 'currency_hong_kong_dollar' => 'Dollaro di Hong Kong', + 'currency_indonesian_rupiah' => 'rupia indonesiana', + 'currency_mexican_peso' => 'Peso messicano', + 'currency_egyptian_pound' => 'Sterlina egiziana', + 'currency_colombian_peso' => 'peso colombiano', + 'currency_west_african_franc' => 'Franco dell'Africa occidentale', + 'currency_chinese_renminbi' => 'Renminbi cinese', + 'currency_rwandan_franc' => 'Franco ruandese', + 'currency_tanzanian_shilling' => 'Scellino tanzaniano', + 'currency_netherlands_antillean_guilder' => 'Fiorino delle Antille olandesi', + 'currency_trinidad_and_tobago_dollar' => 'Dollaro di Trinidad e Tobago', + 'currency_east_caribbean_dollar' => 'Dollaro dei Caraibi Orientali', + 'currency_ghanaian_cedi' => 'Cedi ghanese', + 'currency_bulgarian_lev' => 'liv bulgaro', + 'currency_aruban_florin' => 'Fiorino di Aruba', + 'currency_turkish_lira' => 'Lire Turche', + 'currency_romanian_new_leu' => 'Nuovo leu rumeno', + 'currency_croatian_kuna' => 'Kuna croata', + 'currency_saudi_riyal' => 'Riyal saudita', 'currency_japanese_yen' => 'Yen Giapponese', - 'currency_maldivian_rufiyaa' => 'Maldivian Rufiyaa', - 'currency_costa_rican_colon' => 'Costa Rican Colón', - 'currency_pakistani_rupee' => 'Pakistani Rupee', - 'currency_polish_zloty' => 'Polish Zloty', - 'currency_sri_lankan_rupee' => 'Sri Lankan Rupee', - 'currency_czech_koruna' => 'Czech Koruna', - 'currency_uruguayan_peso' => 'Uruguayan Peso', - 'currency_namibian_dollar' => 'Namibian Dollar', - 'currency_tunisian_dinar' => 'Tunisian Dinar', - 'currency_russian_ruble' => 'Russian Ruble', - 'currency_mozambican_metical' => 'Mozambican Metical', - 'currency_omani_rial' => 'Omani Rial', - 'currency_ukrainian_hryvnia' => 'Ukrainian Hryvnia', - 'currency_macanese_pataca' => 'Macanese Pataca', - 'currency_taiwan_new_dollar' => 'Taiwan New Dollar', - 'currency_dominican_peso' => 'Dominican Peso', + 'currency_maldivian_rufiyaa' => 'Rufia maldiviana', + 'currency_costa_rican_colon' => 'Colón costaricano', + 'currency_pakistani_rupee' => 'rupia pakistana', + 'currency_polish_zloty' => 'Zloty polacco', + 'currency_sri_lankan_rupee' => 'Rupia dello Sri Lanka', + 'currency_czech_koruna' => 'Corona ceca', + 'currency_uruguayan_peso' => 'Peso uruguaiano', + 'currency_namibian_dollar' => 'Dollaro namibiano', + 'currency_tunisian_dinar' => 'Dinaro tunisino', + 'currency_russian_ruble' => 'Rublo russo', + 'currency_mozambican_metical' => 'Metical mozambicano', + 'currency_omani_rial' => 'Rial dell'Oman', + 'currency_ukrainian_hryvnia' => 'Grivnia ucraina', + 'currency_macanese_pataca' => 'Pataca di Macao', + 'currency_taiwan_new_dollar' => 'Nuovo dollaro taiwanese', + 'currency_dominican_peso' => 'peso dominicano', 'currency_chilean_peso' => 'Peso Cileno', - 'currency_icelandic_krona' => 'Icelandic Króna', - 'currency_papua_new_guinean_kina' => 'Papua New Guinean Kina', - 'currency_jordanian_dinar' => 'Jordanian Dinar', - 'currency_myanmar_kyat' => 'Myanmar Kyat', - 'currency_peruvian_sol' => 'Peruvian Sol', - 'currency_botswana_pula' => 'Botswana Pula', - 'currency_hungarian_forint' => 'Hungarian Forint', - 'currency_ugandan_shilling' => 'Ugandan Shilling', - 'currency_barbadian_dollar' => 'Barbadian Dollar', - 'currency_brunei_dollar' => 'Brunei Dollar', - 'currency_georgian_lari' => 'Georgian Lari', - 'currency_qatari_riyal' => 'Qatari Riyal', - 'currency_honduran_lempira' => 'Honduran Lempira', - 'currency_surinamese_dollar' => 'Surinamese Dollar', - 'currency_bahraini_dinar' => 'Bahraini Dinar', - 'currency_venezuelan_bolivars' => 'Venezuelan Bolivars', - 'currency_south_korean_won' => 'South Korean Won', - 'currency_moroccan_dirham' => 'Moroccan Dirham', + 'currency_icelandic_krona' => 'Corona islandese', + 'currency_papua_new_guinean_kina' => 'Kina di Papua Nuova Guinea', + 'currency_jordanian_dinar' => 'Dinaro giordano', + 'currency_myanmar_kyat' => 'Kyat birmano', + 'currency_peruvian_sol' => 'Sol peruviano', + 'currency_botswana_pula' => 'Pula del Botswana', + 'currency_hungarian_forint' => 'fiorino ungherese', + 'currency_ugandan_shilling' => 'Scellino ugandese', + 'currency_barbadian_dollar' => 'Dollaro delle Barbados', + 'currency_brunei_dollar' => 'Dollaro del Brunei', + 'currency_georgian_lari' => 'Lari georgiani', + 'currency_qatari_riyal' => 'Riyal del Qatar', + 'currency_honduran_lempira' => 'Lempira honduregna', + 'currency_surinamese_dollar' => 'Dollaro surinamese', + 'currency_bahraini_dinar' => 'Dinaro del Bahrein', + 'currency_venezuelan_bolivars' => 'Bolivar venezuelano', + 'currency_south_korean_won' => 'Vinto sudcoreano', + 'currency_moroccan_dirham' => 'Dirham marocchino', 'currency_jamaican_dollar' => 'Dollaro Giamaicano', - 'currency_angolan_kwanza' => 'Angolan Kwanza', - 'currency_haitian_gourde' => 'Haitian Gourde', - 'currency_zambian_kwacha' => 'Zambian Kwacha', - 'currency_nepalese_rupee' => 'Nepalese Rupee', - 'currency_cfp_franc' => 'CFP Franc', - 'currency_mauritian_rupee' => 'Mauritian Rupee', - 'currency_cape_verdean_escudo' => 'Cape Verdean Escudo', - 'currency_kuwaiti_dinar' => 'Kuwaiti Dinar', - 'currency_algerian_dinar' => 'Algerian Dinar', - 'currency_macedonian_denar' => 'Macedonian Denar', - 'currency_fijian_dollar' => 'Fijian Dollar', - 'currency_bolivian_boliviano' => 'Bolivian Boliviano', - 'currency_albanian_lek' => 'Albanian Lek', - 'currency_serbian_dinar' => 'Serbian Dinar', - 'currency_lebanese_pound' => 'Lebanese Pound', - 'currency_armenian_dram' => 'Armenian Dram', - 'currency_azerbaijan_manat' => 'Azerbaijan Manat', - 'currency_bosnia_and_herzegovina_convertible_mark' => 'Bosnia and Herzegovina Convertible Mark', - 'currency_belarusian_ruble' => 'Belarusian Ruble', - 'currency_moldovan_leu' => 'Moldovan Leu', - 'currency_kazakhstani_tenge' => 'Kazakhstani Tenge', - 'currency_gibraltar_pound' => 'Gibraltar Pound', + 'currency_angolan_kwanza' => 'Kwanza angolano', + 'currency_haitian_gourde' => 'Gourde haitiano', + 'currency_zambian_kwacha' => 'Kwacha dello Zambia', + 'currency_nepalese_rupee' => 'rupia nepalese', + 'currency_cfp_franc' => 'Franco PCP', + 'currency_mauritian_rupee' => 'rupia mauriziana', + 'currency_cape_verdean_escudo' => 'Escudo capoverdiano', + 'currency_kuwaiti_dinar' => 'Dinaro kuwaitiano', + 'currency_algerian_dinar' => 'Dinaro algerino', + 'currency_macedonian_denar' => 'Denaro macedone', + 'currency_fijian_dollar' => 'Dollaro delle Fiji', + 'currency_bolivian_boliviano' => 'boliviano boliviano', + 'currency_albanian_lek' => 'lek albanese', + 'currency_serbian_dinar' => 'Dinaro serbo', + 'currency_lebanese_pound' => 'Sterlina libanese', + 'currency_armenian_dram' => 'Dram armeno', + 'currency_azerbaijan_manat' => 'Manat dell'Azerbaigian', + 'currency_bosnia_and_herzegovina_convertible_mark' => 'Marco convertibile della Bosnia ed Erzegovina', + 'currency_belarusian_ruble' => 'Rublo bielorusso', + 'currency_moldovan_leu' => 'Leu moldavo', + 'currency_kazakhstani_tenge' => 'Tenge kazako', + 'currency_gibraltar_pound' => 'Sterlina di Gibilterra', 'currency_gambia_dalasi' => 'Gambia Dalasi', - 'currency_paraguayan_guarani' => 'Paraguayan Guarani', - 'currency_malawi_kwacha' => 'Malawi Kwacha', - 'currency_zimbabwean_dollar' => 'Zimbabwean Dollar', - 'currency_cambodian_riel' => 'Cambodian Riel', + 'currency_paraguayan_guarani' => 'Guarani paraguaiani', + 'currency_malawi_kwacha' => 'Kwacha del Malawi', + 'currency_zimbabwean_dollar' => 'Dollaro dello Zimbabwe', + 'currency_cambodian_riel' => 'Riel cambogiano', 'currency_vanuatu_vatu' => 'Vanuatu Vatu', - 'currency_cuban_peso' => 'Cuban Peso', - 'currency_bz_dollar' => 'BZ Dollar', + 'currency_cuban_peso' => 'peso cubano', + 'currency_bz_dollar' => 'Dollaro BZ', - 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!', + 'review_app_help' => 'Ci auguriamo che ti piaccia usare l'app.
Se prendessi in considerazione :link lo apprezzeremmo molto!', 'writing_a_review' => 'scrivendo una recensione', 'use_english_version' => 'Assicurati di stare usanto la versione Inglese dei file.
Usiamo le instestazioni delle colonne come corrispondenza per i campi.', @@ -2425,14 +2407,14 @@ $LANG = array( 'tax2' => 'Seconda Tassa', 'fee_help' => 'Le tariffe delle piattaforme sono i costi applicati per l\'accesso alle reti finanziarie che gestiscono i pagamenti online.', 'format_export' => 'Formato esportazione', - 'custom1' => 'First Custom', - 'custom2' => 'Second Custom', + 'custom1' => 'Prima usanza', + 'custom2' => 'Seconda usanza', 'contact_first_name' => 'Nome contatto', 'contact_last_name' => 'Cognome contatto', - 'contact_custom1' => 'Contact First Custom', - 'contact_custom2' => 'Contact Second Custom', + 'contact_custom1' => 'Contatta prima Custom', + 'contact_custom2' => 'Contatta la seconda dogana', 'currency' => 'Valuta', - 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.', + 'ofx_help' => 'Per risolvere i problemi, controlla i commenti su :ofxhome_link e prova con :ofxget_link.', 'comments' => 'commenti', 'item_product' => 'Prodotto Articolo', @@ -2445,13 +2427,13 @@ $LANG = array( 'item_tax2' => 'Tassa 2 Articolo', 'delete_company' => 'Elimina azienda', - 'delete_company_help' => 'Permanently delete the company along with all data and setting.', - 'delete_company_message' => 'Warning: This will permanently delete your company, there is no undo.', + 'delete_company_help' => 'Elimina definitivamente l'azienda insieme a tutti i dati e le impostazioni.', + 'delete_company_message' => 'Avviso: questo eliminerà definitivamente la tua azienda, non è possibile annullare.', 'applied_discount' => 'Il coupon è stato applicato, il prezzo del piano è stato ridotto di :discount%.', - 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.', + 'applied_free_year' => 'Il coupon è stato applicato, il tuo account è stato aggiornato a pro per un anno.', - 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log', + 'contact_us_help' => 'Se stai segnalando un errore, includi eventuali log pertinenti da storage/logs/laravel-error.log', 'include_errors' => 'Includi errori', 'include_errors_help' => 'Includi :link da storage/logs/laravel-error.log', 'recent_errors' => 'errori recenti', @@ -2460,16 +2442,16 @@ $LANG = array( 'created_customer' => 'Cliente creato con successo', 'created_customers' => 'Creati con successo :count clienti', - 'purge_details' => 'The data in your company (:account) has been successfully purged.', + 'purge_details' => 'I dati nella tua azienda (:account) sono stati eliminati correttamente.', 'deleted_company' => 'Azienda cancellata con successo', 'deleted_account' => 'Account cancellato con successo', 'deleted_company_details' => 'La tua azienda (:account) è stata cancellata con successo.', - 'deleted_account_details' => 'Your account (:account) has been successfully deleted.', + 'deleted_account_details' => 'Il tuo account (:account) è stato eliminato con successo.', 'alipay' => 'Alipay', 'sofort' => 'Sofort', - 'sepa' => 'SEPA Direct Debit', - 'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces', + 'sepa' => 'Addebito diretto SEPA', + 'name_without_special_characters' => 'Inserisci un nome con solo le lettere az e gli spazi bianchi', 'enable_alipay' => 'Accetta Alipay', 'enable_sofort' => 'Accetta trasferimenti bancari EU', 'stripe_alipay_help' => 'Queste piattaforme devono anche essere attivate in :link', @@ -2477,33 +2459,33 @@ $LANG = array( 'pro_plan_calendar' => ':link per attivare il calendario aderendo al Piano Pro', 'what_are_you_working_on' => 'Su cosa stai lavorando?', - 'time_tracker' => 'Time Tracker', + 'time_tracker' => 'Rilevatore di tempo', 'refresh' => 'Aggiorna', 'filter_sort' => 'Filtra/Ordina', 'no_description' => 'Nessuna descrizione', - 'time_tracker_login' => 'Time Tracker Login', - 'save_or_discard' => 'Save or discard your changes', + 'time_tracker_login' => 'Accesso al monitoraggio del tempo', + 'save_or_discard' => 'Salva o annulla le modifiche', 'discard_changes' => 'Scarta modifiche', 'tasks_not_enabled' => 'Le Attività non sono abilitate', 'started_task' => 'Attività iniziata con successo', 'create_client' => 'Crea nuovo cliente', - 'download_desktop_app' => 'Download the desktop app', + 'download_desktop_app' => 'Scarica l'applicazione desktop', 'download_iphone_app' => 'Scarica l\'applicazione per iPhone', - 'download_android_app' => 'Download the Android app', + 'download_android_app' => 'Scarica l'applicazione Android', 'time_tracker_mobile_help' => 'Doppio tap sull\'attività per selezionarla', 'stopped' => 'Fermato', 'ascending' => 'Crescente', 'descending' => 'Decrescente', 'sort_field' => 'Ordina per', - 'sort_direction' => 'Direction', + 'sort_direction' => 'Direzione', 'discard' => 'Scarta', 'time_am' => 'AM', 'time_pm' => 'PM', 'time_mins' => 'minuti', 'time_hr' => 'ora', 'time_hrs' => 'ore', - 'clear' => 'Clear', + 'clear' => 'Chiaro', 'warn_payment_gateway' => 'Nota: per accettare pagamenti online è necessaria una piattaforma di pagamento, :link per aggiungerne una.', 'task_rate' => 'Tariffa per le attività', 'task_rate_help' => 'Imposta tariffa predefinita per le attività da fatturare', @@ -2519,32 +2501,32 @@ $LANG = array( 'purchase' => 'Acquista', 'recover' => 'Recupera', 'apply' => 'Applica', - 'recover_white_label_header' => 'Recover White Label License', - 'apply_white_label_header' => 'Apply White Label License', + 'recover_white_label_header' => 'Recupera la licenza White Label', + 'apply_white_label_header' => 'Applica la licenza White Label', 'videos' => 'Video', 'video' => 'Video', 'return_to_invoice' => 'Ritorna alla fattura', - 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.', - 'partial_due_date' => 'Partial Due Date', + 'gateway_help_13' => 'Per utilizzare ITN, lasciare vuoto il campo Chiave PDT.', + 'partial_due_date' => 'Data di scadenza parziale', 'task_fields' => 'Campi Attività', - 'product_fields_help' => 'Drag and drop fields to change their order', + 'product_fields_help' => 'Trascina e rilascia i campi per modificarne l'ordine', 'custom_value1' => 'Valore Personalizzato', 'custom_value2' => 'Valore Personalizzato', 'enable_two_factor' => 'Autenticazione a due fattori', 'enable_two_factor_help' => 'Usa il tuo telefono per confermare la tua identità quando accedi', 'two_factor_setup' => 'Impostazione autenticazione a due fattori', - 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.', + 'two_factor_setup_help' => 'Scansiona il codice a barre con un'app compatibile con :link.', 'one_time_password' => 'Password a uso singolo', 'set_phone_for_two_factor' => 'Imposta il tuo numero di cellulare come backup per abilitare.', - 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication', + 'enabled_two_factor' => 'Autenticazione a due fattori abilitata correttamente', 'add_product' => 'Aggiungi prodotto', - 'email_will_be_sent_on' => 'Note: the email will be sent on :date.', + 'email_will_be_sent_on' => 'Nota: l'e-mail verrà inviata su :date.', 'invoice_product' => 'Fattura prodotto', - 'self_host_login' => 'Self-Host Login', - 'set_self_hoat_url' => 'Self-Host URL', - 'local_storage_required' => 'Error: local storage is not available.', + 'self_host_login' => 'Accesso self-host', + 'set_self_hoat_url' => 'URL self-host', + 'local_storage_required' => 'Errore: la memoria locale non è disponibile.', 'your_password_reset_link' => 'Il tuo link di reset password', - 'subdomain_taken' => 'The subdomain is already in use', + 'subdomain_taken' => 'Il sottodominio è già in uso', 'client_login' => 'Log-in cliente', 'converted_amount' => 'Importo convertito', 'default' => 'Predefinito', @@ -2562,18 +2544,18 @@ $LANG = array( 'shipping_state' => 'Provincia di spedizione', 'shipping_postal_code' => 'Codice Postale di spedizione', 'shipping_country' => 'Paese di spedizione', - 'classify' => 'Classify', + 'classify' => 'Classificare', 'show_shipping_address_help' => 'Richiedere al cliente di fornire il proprio indirizzo di spedizione', 'ship_to_billing_address' => 'Inviare a indirizzo di fatturazione', 'delivery_note' => 'Nota di consegna', 'show_tasks_in_portal' => 'Mostra le attività sul portale dei clienti', - 'cancel_schedule' => 'Cancel Schedule', - 'scheduled_report' => 'Scheduled Report', - 'scheduled_report_help' => 'Email the :report report as :format to :email', - 'created_scheduled_report' => 'Successfully scheduled report', - 'deleted_scheduled_report' => 'Successfully canceled scheduled report', - 'scheduled_report_attached' => 'Your scheduled :type report is attached.', - 'scheduled_report_error' => 'Failed to create schedule report', + 'cancel_schedule' => 'Annulla programma', + 'scheduled_report' => 'Rapporto programmato', + 'scheduled_report_help' => 'Invia per e-mail il rapporto :report come :format a :email', + 'created_scheduled_report' => 'Rapporto pianificato correttamente', + 'deleted_scheduled_report' => 'Rapporto pianificato annullato correttamente', + 'scheduled_report_attached' => 'Il tuo rapporto :type pianificato è allegato.', + 'scheduled_report_error' => 'Impossibile creare il rapporto sulla pianificazione', 'invalid_one_time_password' => 'Password monouso non valida', 'apple_pay' => 'Apple/Google Pay', 'enable_apple_pay' => 'Accetta Apple Pay e Google Pay', @@ -2581,11 +2563,11 @@ $LANG = array( 'subdomain_is_set' => 'il sottodominio è impostato', 'verification_file' => 'File di verifica', 'verification_file_missing' => 'Il file di verifica è necessario per accettare i pagamenti.', - 'apple_pay_domain' => 'Use :domain as the domain in :link.', + 'apple_pay_domain' => 'Usa :domain come dominio in :link.', 'apple_pay_not_supported' => 'Siamo spiacenti, Apple/Google Pay non sono supportati dal tuo browser', 'optional_payment_methods' => 'Metodi di pagamento opzionali', 'add_subscription' => 'Aggiungi abbonamento', - 'target_url' => 'Target', + 'target_url' => 'Bersaglio', 'target_url_help' => 'Quando si verifica l\'evento selezionato, l\'applicazione invierà l\'entità all\'URL di destinazione.', 'event' => 'Evento', 'subscription_event_1' => 'Cliente creato', @@ -2622,24 +2604,24 @@ $LANG = array( 'module_quote' => 'Preventivi e Proposte', 'module_task' => 'Attività e progetti', 'module_expense' => 'Spese & fornitori', - 'module_ticket' => 'Tickets', + 'module_ticket' => 'Biglietti', 'reminders' => 'Promemoria', 'send_client_reminders' => 'Invia email promemoria ', 'can_view_tasks' => 'le Attività sono visibili sul portale', 'is_not_sent_reminders' => 'Promemoria non inviati', - 'promotion_footer' => 'Your promotion will expire soon, :link to upgrade now.', - 'unable_to_delete_primary' => 'Note: to delete this company first delete all linked companies.', + 'promotion_footer' => 'La tua promozione scadrà a breve, :link per aggiornare ora.', + 'unable_to_delete_primary' => 'Nota: per eliminare questa società, eliminare prima tutte le società collegate.', 'please_register' => 'Per favore registra il tuo account', 'processing_request' => 'Elaborando richiesta', - 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.', - 'edit_times' => 'Edit Times', - 'inclusive_taxes_help' => 'Include taxes in the cost', + 'mcrypt_warning' => 'Avviso: Mcrypt è deprecato, esegui :command per aggiornare la tua crittografia.', + 'edit_times' => 'Modifica tempi', + 'inclusive_taxes_help' => 'Includere le tasse nel costo', 'inclusive_taxes_notice' => 'Questa impostazione non può essere modificata una volta creata una fattura.', 'inclusive_taxes_warning' => 'Attenzione: le fatture esistenti dovranno essere salvate di nuovo', 'copy_shipping' => 'Copia Spedizione', 'copy_billing' => 'Copia Fatturazione', 'quote_has_expired' => 'Il preventivo è scaduto, si prega di contattare il responsabile.', - 'empty_table_footer' => 'Showing 0 to 0 of 0 entries', + 'empty_table_footer' => 'Visualizzazione da 0 a 0 di 0 voci', 'do_not_trust' => 'Non ricordare questo dispositivo', 'trust_for_30_days' => 'Ricorda per 30 giorni', 'trust_forever' => 'Ricorda per sempre', @@ -2652,20 +2634,20 @@ $LANG = array( 'new_status' => 'Nuovo stato', 'convert_products' => 'Converti prodotti', 'convert_products_help' => 'Converti automaticamenti i prezzi dei prodotti nella valuta del cliente', - 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.', + 'improve_client_portal_link' => 'Imposta un sottodominio per abbreviare il collegamento al portale del cliente.', 'budgeted_hours' => 'Ore preventivate', 'progress' => 'Progresso', 'view_project' => 'Vedi progetto', 'summary' => 'Sommario', 'endless_reminder' => 'Promemoria senza scadenza', - 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.', + 'signature_on_invoice_help' => 'Aggiungi il seguente codice per mostrare la firma del tuo cliente sul PDF.', 'signature_on_pdf' => 'Mostra su PDF', 'signature_on_pdf_help' => 'Mostra la firma del cliente sul PDF della fattura/preventivo.', - 'expired_white_label' => 'The white label license has expired', + 'expired_white_label' => 'La licenza white label è scaduta', 'return_to_login' => 'Ritorna al login', - 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.', + 'convert_products_tip' => 'Nota: aggiungi un :link denominato ":name" per vedere il tasso di cambio.', 'amount_greater_than_balance' => 'L\'importo è superiore al saldo della fattura, verrà creato del credito con l\'importo rimanente.', - 'custom_fields_tip' => 'Use Label|Option1,Option2 to show a select box.', + 'custom_fields_tip' => 'Usa Label|Option1,Option2 per mostrare una casella di selezione.', 'client_information' => 'Informazioni Cliente', 'updated_client_details' => 'Dettagli cliente aggiornati con successo', 'auto' => 'Auto', @@ -2675,7 +2657,7 @@ $LANG = array( 'proposal_message_button' => 'Per visualizzare la tua proposta per :amount, clicca sul pulsante qui sotto.', 'proposal' => 'Proposte', 'proposals' => 'Proposte', - 'list_proposals' => 'List Proposals', + 'list_proposals' => 'Elenco proposte', 'new_proposal' => 'Nuova proposta', 'edit_proposal' => 'Modifica proposta', 'archive_proposal' => 'Archivia proposta', @@ -2688,22 +2670,22 @@ $LANG = array( 'deleted_proposals' => ':count proposte archiviate con successo', 'restored_proposal' => 'Proposta riprestinata con successo', 'restore_proposal' => 'Riprestina proposta', - 'snippet' => 'Snippet', - 'snippets' => 'Snippets', - 'proposal_snippet' => 'Snippet', - 'proposal_snippets' => 'Snippets', - 'new_proposal_snippet' => 'New Snippet', - 'edit_proposal_snippet' => 'Edit Snippet', - 'archive_proposal_snippet' => 'Archive Snippet', - 'delete_proposal_snippet' => 'Delete Snippet', - 'created_proposal_snippet' => 'Successfully created snippet', - 'updated_proposal_snippet' => 'Successfully updated snippet', - 'archived_proposal_snippet' => 'Successfully archived snippet', - 'deleted_proposal_snippet' => 'Successfully archived snippet', - 'archived_proposal_snippets' => 'Successfully archived :count snippets', - 'deleted_proposal_snippets' => 'Successfully archived :count snippets', - 'restored_proposal_snippet' => 'Successfully restored snippet', - 'restore_proposal_snippet' => 'Restore Snippet', + 'snippet' => 'Frammento', + 'snippets' => 'Frammenti', + 'proposal_snippet' => 'Frammento', + 'proposal_snippets' => 'Frammenti', + 'new_proposal_snippet' => 'Nuovo frammento', + 'edit_proposal_snippet' => 'Modifica frammento', + 'archive_proposal_snippet' => 'Frammento di archivio', + 'delete_proposal_snippet' => 'Elimina frammento', + 'created_proposal_snippet' => 'Snippet creato correttamente', + 'updated_proposal_snippet' => 'Frammento aggiornato correttamente', + 'archived_proposal_snippet' => 'Snippet archiviato correttamente', + 'deleted_proposal_snippet' => 'Snippet archiviato correttamente', + 'archived_proposal_snippets' => 'Snippet :count archiviati correttamente', + 'deleted_proposal_snippets' => 'Snippet :count archiviati correttamente', + 'restored_proposal_snippet' => 'Snippet ripristinato correttamente', + 'restore_proposal_snippet' => 'Ripristina frammento', 'template' => 'Modello', 'templates' => 'Modelli', 'proposal_template' => 'Modello', @@ -2742,7 +2724,7 @@ $LANG = array( 'clone_proposal_template' => 'Clona modello', 'proposal_email' => 'Invia proposta', 'proposal_subject' => 'Nuova proposta :number da :account', - 'proposal_message' => 'To view your proposal for :amount, click the link below.', + 'proposal_message' => 'Per visualizzare la tua proposta per :amount, fai clic sul link sottostante.', 'emailed_proposal' => 'Proposta inviata con successo', 'load_template' => 'Carica Modello', 'no_assets' => 'Nessuna immagine, trascinare per caricare', @@ -2750,15 +2732,15 @@ $LANG = array( 'select_image' => 'Seleziona Immagine', 'upgrade_to_upload_images' => 'Aggiorna al piano enterprise per caricare le immagini', 'delete_image' => 'Cancella Immagine', - 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.', + 'delete_image_help' => 'Attenzione: l'eliminazione dell'immagine la rimuoverà da tutte le proposte.', 'amount_variable_help' => 'Nota: il campo $amount della fattura userà il campo parziale/deposito se impostato, altrimenti verrà usato il saldo della fattura.', - 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.', - 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.', + 'taxes_are_included_help' => 'Nota: le tasse incluse sono state abilitate.', + 'taxes_are_not_included_help' => 'Nota: le tasse incluse non sono abilitate.', 'change_requires_purge' => 'Cambiare questa impostazione richiede :link i dati dell\'account.', - 'purging' => 'purging', + 'purging' => 'spurgo', 'warning_local_refund' => 'Il rimborso verrà registrato nell\'applicazione ma NON sarà processato dalla piattaforma di pagamento.', 'email_address_changed' => 'L\'indirizzo email è stato modificato', - 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.', + 'email_address_changed_message' => 'L'indirizzo email del tuo account è stato cambiato da :old_email a :new_email.', 'test' => 'Test', 'beta' => 'Beta', 'gmp_required' => 'Esportare su ZIP richiede l\'estensione GMP', @@ -2767,35 +2749,35 @@ $LANG = array( 'no_messages_found' => 'Nessuno messaggio trovato', 'processing' => 'Processando', 'reactivate' => 'Riattiva', - 'reactivated_email' => 'The email address has been reactivated', + 'reactivated_email' => 'L'indirizzo e-mail è stato riattivato', 'emails' => 'Emails', 'opened' => 'Aperto', - 'bounced' => 'Bounced', + 'bounced' => 'Rimbalzato', 'total_sent' => 'Totale inviato', 'total_opened' => 'Totale aperto', - 'total_bounced' => 'Total Bounced', - 'total_spam' => 'Total Spam', + 'total_bounced' => 'Totale rimbalzato', + 'total_spam' => 'Spam totale', 'platforms' => 'Piattaforme', - 'email_clients' => 'Email Clients', + 'email_clients' => 'Client di posta elettronica', 'mobile' => 'Mobile', - 'desktop' => 'Desktop', + 'desktop' => 'Scrivania', 'webmail' => 'Webmail', 'group' => 'Gruppo', 'subgroup' => 'Sottogruppo', - 'unset' => 'Unset', + 'unset' => 'Non settato', 'received_new_payment' => 'Hai ricevuto un nuovo pagamento!', 'slack_webhook_help' => 'Ricevi notifiche di pagamento utilizzando :link.', - 'slack_incoming_webhooks' => 'Slack incoming webhooks', + 'slack_incoming_webhooks' => 'Webhook in arrivo lenti', 'accept' => 'Accetta', 'accepted_terms' => 'Accettato con successo gli ultimi termini di servizio', 'invalid_url' => 'URL non valido', 'workflow_settings' => 'Impostazioni Flusso di Lavoro', - 'auto_email_invoice' => 'Auto Email', - 'auto_email_invoice_help' => 'Automatically email recurring invoices when created.', + 'auto_email_invoice' => 'E-mail automatica', + 'auto_email_invoice_help' => 'Invia automaticamente tramite e-mail le fatture ricorrenti quando vengono create.', 'auto_archive_invoice' => 'Auto Archiviazione', - 'auto_archive_invoice_help' => 'Automatically archive invoices when paid.', + 'auto_archive_invoice_help' => 'Archivia automaticamente le fatture al momento del pagamento.', 'auto_archive_quote' => 'Auto Archiviazione', - 'auto_archive_quote_help' => 'Automatically archive quotes when converted to invoice.', + 'auto_archive_quote_help' => 'Archivia automaticamente i preventivi una volta convertiti in fattura.', 'require_approve_quote' => 'Richiedi approvazione preventivo', 'require_approve_quote_help' => 'Richiedere ai clienti di approvare i preventivi.', 'allow_approve_expired_quote' => 'Consentire l\'approvazione di preventivi scaduti', @@ -2847,7 +2829,7 @@ $LANG = array( 'updated_task_status' => 'Stato dell\'attività aggiornato con successo', 'background_image' => 'Immagine di sfondo', 'background_image_help' => 'Usa il :link per gestire le tue immagini, ti raccomandiamo di utilizzare file piccoli.', - 'proposal_editor' => 'proposal editor', + 'proposal_editor' => 'redattore di proposte', 'background' => 'Sfondo', 'guide' => 'Guida', 'gateway_fee_item' => 'Articolo Commissione Piattaforma', @@ -2933,7 +2915,7 @@ $LANG = array( 'send_receipt_to_client' => 'Invia ricevuta al cliente', 'refunded' => 'Rimborsato', 'marked_quote_as_sent' => 'Preventivo contrassegnato come inviato con successo', - 'custom_module_settings' => 'Custom Module Settings', + 'custom_module_settings' => 'Impostazioni modulo personalizzate', 'ticket' => 'Ticket', 'tickets' => 'Tickets', 'ticket_number' => 'Ticket #', @@ -2972,13 +2954,13 @@ $LANG = array( 'ticket_settings' => 'Impostazioni Ticket', 'updated_ticket' => 'Ticket Aggiornato', 'mark_spam' => 'Segnala come Spam', - 'local_part' => 'Local Part', + 'local_part' => 'Parte Locale', 'local_part_unavailable' => 'Nome già preso', 'local_part_available' => 'Nome disponibile', 'local_part_invalid' => 'Nome invalido (solo alfanumerico, no spazi', 'local_part_help' => 'Personalizza la parte locale della tua email di supporto in entrata, cioè TUO_NOME@support.invoiceninja.com', - 'from_name_help' => 'From name is the recognizable sender which is displayed instead of the email address, ie Support Center', - 'local_part_placeholder' => 'YOUR_NAME', + 'from_name_help' => 'From name è il mittente riconoscibile che viene visualizzato al posto dell'indirizzo e-mail, ad esempio Support Center', + 'local_part_placeholder' => 'IL TUO NOME', 'from_name_placeholder' => 'Centro di supporto', 'attachments' => 'Allegati', 'client_upload' => 'Caricamenti cliente', @@ -2987,7 +2969,7 @@ $LANG = array( 'max_file_size' => 'Dimensione massima file', 'mime_types' => 'Tipi file MIME', 'mime_types_placeholder' => '.pdf , .docx, .jpg', - 'mime_types_help' => 'Comma separated list of allowed mime types, leave blank for all', + 'mime_types_help' => 'Elenco separato da virgole dei tipi mime consentiti, lasciare vuoto per tutti', 'ticket_number_start_help' => 'Il numero del ticket deve essere maggiore del numero di ticket corrente', 'new_ticket_template_id' => 'Nuovo ticket', 'new_ticket_autoresponder_help' => 'Selezionando un modello verrà inviata una risposta automatica a un cliente/contatto quando viene creato un nuovo ticket', @@ -2998,18 +2980,18 @@ $LANG = array( 'default_priority' => 'Priorità predefinita', 'alert_new_comment_id' => 'Nuovo commento', 'alert_comment_ticket_help' => 'Selezionando un modello, verrà inviata una notifica (all\'agente) quando viene fatto un commento.', - 'alert_comment_ticket_email_help' => 'Comma separated emails to bcc on new comment.', + 'alert_comment_ticket_email_help' => 'Email separate da virgole a bcc su un nuovo commento.', 'new_ticket_notification_list' => 'Notifiche aggiuntive di nuovi ticket', 'update_ticket_notification_list' => 'Notifiche aggiuntive di nuovi commenti', 'comma_separated_values' => 'admin@example.com, supervisor@example.com', 'alert_ticket_assign_agent_id' => 'Assegnazione ticket', 'alert_ticket_assign_agent_id_hel' => 'Selezionando un modello verrà inviata una notifica (all\'agente) quando un ticket viene assegnato.', 'alert_ticket_assign_agent_id_notifications' => 'Notifiche aggiuntive assegnate ai ticket', - 'alert_ticket_assign_agent_id_help' => 'Comma separated emails to bcc on ticket assignment.', - 'alert_ticket_transfer_email_help' => 'Comma separated emails to bcc on ticket transfer.', + 'alert_ticket_assign_agent_id_help' => 'Email separate da virgole a bcc sull'assegnazione del ticket.', + 'alert_ticket_transfer_email_help' => 'Email separate da virgole a bcc sul trasferimento del biglietto.', 'alert_ticket_overdue_agent_id' => 'Ticket scaduto', - 'alert_ticket_overdue_email' => 'Additional overdue ticket notifications', - 'alert_ticket_overdue_email_help' => 'Comma separated emails to bcc on ticket overdue.', + 'alert_ticket_overdue_email' => 'Ulteriori notifiche di ticket scaduti', + 'alert_ticket_overdue_email_help' => 'Email separate da virgole a bcc su ticket scaduti.', 'alert_ticket_overdue_agent_id_help' => 'Selezionando un modello invierà una notifica (all\'agente) quando un ticket va in scadenza.', 'ticket_master' => 'Ticket Master', 'ticket_master_help' => 'Ha la capacità di assegnare e trasferire ticket. Assegnato come agente predefinito per tutti i ticket.', @@ -3034,7 +3016,7 @@ $LANG = array( 'show_hide_all' => 'Mostra / Nascondi tutto', 'subject_required' => 'Soggetto richiesto', 'mobile_refresh_warning' => 'Se stai usando l\'app mobile potresti aver bisogno di fare un ricaricamento completo.', - 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.', + 'enable_proposals_for_background' => 'Per caricare un'immagine di sfondo :link per abilitare il modulo proposte.', 'ticket_assignment' => 'Il ticket :ticket_number è stato assegnato a :agent', 'ticket_contact_reply' => 'Il ticket :ticket_number è stato aggiornato dal cliente :contact', 'ticket_new_template_subject' => 'Il ticket :ticket_number è stato creato.', @@ -3061,11 +3043,11 @@ $LANG = array( 'custom_client1' => ':VALUE', 'custom_client2' => ':VALUE', 'compare' => 'Compara', - 'hosted_login' => 'Hosted Login', - 'selfhost_login' => 'Selfhost Login', + 'hosted_login' => 'Accesso ospitato', + 'selfhost_login' => 'Accesso self-host', 'google_login' => 'Login Google', - 'thanks_for_patience' => 'Thank for your patience while we work to implement these features.\n\nWe hope to have them completed in the next few months.\n\nUntil then we\'ll continue to support the', - 'legacy_mobile_app' => 'legacy mobile app', + 'thanks_for_patience' => 'Grazie per la pazienza dimostrata mentre lavoriamo per implementare queste funzionalità.\n\nCi auguriamo di completarle nei prossimi mesi.\n\nFino ad allora continueremo a supportare il', + 'legacy_mobile_app' => 'app mobile precedente', 'today' => 'Oggi', 'current' => 'Corrente', 'previous' => 'Precedente', @@ -3081,13 +3063,13 @@ $LANG = array( 'last7_days' => 'Ultimi 7 giorni', 'last30_days' => 'Ultimi 30 giorni', 'custom_js' => 'JS personalizzato', - 'adjust_fee_percent_help' => 'Adjust percent to account for fee', + 'adjust_fee_percent_help' => 'Regola la percentuale per tenere conto della commissione', 'show_product_notes' => 'Mostra i dettagli del prodotto', 'show_product_notes_help' => 'Includi la descrizione ed il costo nel menu a tendina del prodotto', 'important' => 'Importante', 'thank_you_for_using_our_app' => 'Grazie di avere scelto la nostra app!', - 'if_you_like_it' => 'If you like it please', - 'to_rate_it' => 'to rate it.', + 'if_you_like_it' => 'Se ti piace per favore', + 'to_rate_it' => 'per valutarlo.', 'average' => 'Media', 'unapproved' => 'non approvato', 'authenticate_to_change_setting' => 'Si prega di autenticarsi per cambiare questa impostazione', @@ -3103,25 +3085,25 @@ $LANG = array( 'password_is_too_short' => 'La password è troppo corta', 'failed_to_find_record' => 'Impossibile trovare dati', 'valid_until_days' => 'Valido fino a', - 'valid_until_days_help' => 'Automatically sets the Valid Until value on quotes to this many days in the future. Leave blank to disable.', + 'valid_until_days_help' => 'Imposta automaticamente il valore Valido fino alle quotazioni su questo numero di giorni nel futuro. Lascia vuoto per disabilitare.', 'usually_pays_in_days' => 'Giorni', 'requires_an_enterprise_plan' => 'Richiede un piano enterprise', 'take_picture' => 'Fai foto', 'upload_file' => 'Carica file', 'new_document' => 'Nuovo documento', 'edit_document' => 'Modifica documento', - 'uploaded_document' => 'Successfully uploaded document', - 'updated_document' => 'Successfully updated document', - 'archived_document' => 'Successfully archived document', - 'deleted_document' => 'Successfully deleted document', - 'restored_document' => 'Successfully restored document', + 'uploaded_document' => 'Documento caricato correttamente', + 'updated_document' => 'Documento aggiornato con successo', + 'archived_document' => 'Documento archiviato correttamente', + 'deleted_document' => 'Documento eliminato correttamente', + 'restored_document' => 'Documento ripristinato correttamente', 'no_history' => 'Nessuno Storico', 'expense_status_1' => 'Registrato', 'expense_status_2' => 'In attesa', 'expense_status_3' => 'Fatturata', 'no_record_selected' => 'Nessun dato selezionato', - 'error_unsaved_changes' => 'Please save or cancel your changes', - 'thank_you_for_your_purchase' => 'Thank you for your purchase!', + 'error_unsaved_changes' => 'Si prega di salvare o annullare le modifiche', + 'thank_you_for_your_purchase' => 'Grazie per il vostro acquisto!', 'redeem' => 'Riscatta', 'back' => 'Indietro', 'past_purchases' => 'Acquisti passati', @@ -3135,14 +3117,14 @@ $LANG = array( 'please_agree_to_terms_and_privacy' => 'Si prega di accettare i termini di servizio e della privacy per creare un account.', 'i_agree_to_the' => 'Accetto la', 'terms_of_service_link' => 'Termini di servizio', - 'privacy_policy_link' => 'privacy policy', + 'privacy_policy_link' => 'politica sulla riservatezza', 'view_website' => 'Visualizza sito web', 'create_account' => 'Crea un account', 'email_login' => 'Login email', - 'late_fees' => 'Late Fees', + 'late_fees' => 'Commissioni in ritardo', 'payment_number' => 'Numero di pagamento', 'before_due_date' => 'Prima della data di scadenza', - 'after_due_date' => 'After the due date', + 'after_due_date' => 'Dopo la data di scadenza', 'after_invoice_date' => 'Dopo la data della fattura', 'filtered_by_user' => 'Filtrato per utente', 'created_user' => 'Utente creato con successo', @@ -3167,13 +3149,13 @@ $LANG = array( 'fee_amount' => 'Importo della tassa', 'fee_percent' => 'Tassa Percentuale', 'fee_cap' => 'Tassa massima', - 'limits_and_fees' => 'Limits/Fees', + 'limits_and_fees' => 'Limiti/Commissioni', 'credentials' => 'Credenziali', 'require_billing_address_help' => 'Richiedere al cliente di fornire il suo indirizzo di fatturazione', 'require_shipping_address_help' => 'Richiedere al cliente di fornire il proprio indirizzo di spedizione', - 'deleted_tax_rate' => 'Successfully deleted tax rate', - 'restored_tax_rate' => 'Successfully restored tax rate', - 'provider' => 'Provider', + 'deleted_tax_rate' => 'Aliquota fiscale eliminata correttamente', + 'restored_tax_rate' => 'Aliquota fiscale ripristinata correttamente', + 'provider' => 'Fornitore', 'company_gateway' => 'Piattaforma di Pagamento', 'company_gateways' => 'Piattaforme di Pagamento', 'new_company_gateway' => 'Nuova Piattaforma', @@ -3216,13 +3198,13 @@ $LANG = array( 'email_sign_up' => 'Registrati via Email', 'google_sign_up' => 'Registrati con Google', 'sign_up_with_google' => 'Accedi con Google', - 'long_press_multiselect' => 'Long-press Multiselect', + 'long_press_multiselect' => 'Premi a lungo Selezione multipla', 'migrate_to_next_version' => 'Migrare alla prossima versione di Invoice Ninja', 'migrate_intro_text' => 'Stiamo lavorando alla prossima versione di Invoice Ninja. Clicca il pulsante qui sotto per iniziare la migrazione.', 'start_the_migration' => 'Inizia la migrazione', 'migration' => 'Migrazione', 'welcome_to_the_new_version' => 'Benvenuti nella nuova versione di Invoice Ninja', - 'next_step_data_download' => 'At the next step, we\'ll let you download your data for the migration.', + 'next_step_data_download' => 'Al passaggio successivo, ti consentiremo di scaricare i tuoi dati per la migrazione.', 'download_data' => 'Premi il bottone qui sotto per scaricare i dati.', 'migration_import' => 'Fantastico! Ora sei pronto per importare la tua migrazione. Vai alla tua nuova installazione per importare i tuoi dati', 'continue' => 'Continua', @@ -3234,10 +3216,10 @@ $LANG = array( 'product2' => 'Prodotto personalizzato 2', 'product3' => 'Prodotto personalizzato 3', 'product4' => 'Prodotto personalizzato 4', - 'client1' => 'Custom Client 1', - 'client2' => 'Custom Client 2', - 'client3' => 'Custom Client 3', - 'client4' => 'Custom Client 4', + 'client1' => 'Cliente personalizzato 1', + 'client2' => 'Cliente personalizzato 2', + 'client3' => 'Cliente personalizzato 3', + 'client4' => 'Cliente personalizzato 4', 'contact1' => 'Contatto personalizzato 1', 'contact2' => 'Contatto personalizzato 2', 'contact3' => 'Contatto personalizzato 3', @@ -3246,10 +3228,10 @@ $LANG = array( 'task2' => 'Attività personalizzata 2', 'task3' => 'Attività personalizzata 3', 'task4' => 'Attività personalizzata 4', - 'project1' => 'Custom Project 1', - 'project2' => 'Custom Project 2', - 'project3' => 'Custom Project 3', - 'project4' => 'Custom Project 4', + 'project1' => 'Progetto personalizzato 1', + 'project2' => 'Progetto personalizzato 2', + 'project3' => 'Progetto personalizzato 3', + 'project4' => 'Progetto personalizzato 4', 'expense1' => 'Spesa personalizzata 1', 'expense2' => 'Spesa personalizzata 2', 'expense3' => 'Spesa personalizzata 3', @@ -3270,14 +3252,14 @@ $LANG = array( 'surcharge2' => 'Imposta personalizzata 2', 'surcharge3' => 'Imposta personalizzata 3', 'surcharge4' => 'Imposta personalizzata 4', - 'group1' => 'Custom Group 1', - 'group2' => 'Custom Group 2', - 'group3' => 'Custom Group 3', - 'group4' => 'Custom Group 4', + 'group1' => 'Gruppo personalizzato 1', + 'group2' => 'Gruppo personalizzato 2', + 'group3' => 'Gruppo personalizzato 3', + 'group4' => 'Gruppo personalizzato 4', 'number' => 'Numero', - 'count' => 'Count', + 'count' => 'Contare', 'is_active' => 'È attivo', - 'contact_last_login' => 'Contact Last Login', + 'contact_last_login' => 'Contatto Ultimo accesso', 'contact_full_name' => 'Nome completo contatto', 'contact_custom_value1' => 'Valore personalizzato contatto 1', 'contact_custom_value2' => 'Valore personalizzato contatto 2', @@ -3287,13 +3269,13 @@ $LANG = array( 'created_by_id' => 'Creato dall\'ID', 'add_column' => 'Aggiungi Colonna', 'edit_columns' => 'Modifica Colonne', - 'to_learn_about_gogle_fonts' => 'to learn about Google Fonts', + 'to_learn_about_gogle_fonts' => 'per conoscere Google Fonts', 'refund_date' => 'Data di rimborso', 'multiselect' => 'Multi-selezione', 'verify_password' => 'Verifica Password', 'applied' => 'Applicato', - 'include_recent_errors' => 'Include recent errors from the logs', - 'your_message_has_been_received' => 'We have received your message and will try to respond promptly.', + 'include_recent_errors' => 'Includi errori recenti dai log', + 'your_message_has_been_received' => 'Abbiamo ricevuto il tuo messaggio e cercheremo di rispondere prontamente.', 'show_product_details' => 'Mostra i dettagli del prodotto', 'show_product_details_help' => 'Includi la descrizione ed il costo nel menu a tendina del prodotto', 'pdf_min_requirements' => 'Il generatore di PDF richiede :version', @@ -3311,8 +3293,8 @@ $LANG = array( 'when_saved' => 'Quando salvato', 'when_sent' => 'Quando inviato', 'select_company' => 'Seleziona azienda', - 'float' => 'Float', - 'collapse' => 'Collapse', + 'float' => 'Galleggiante', + 'collapse' => 'Crollo', 'show_or_hide' => 'Mostra/nascondi', 'menu_sidebar' => 'Barra laterale del menu', 'history_sidebar' => 'Barra laterale dello storico', @@ -3341,7 +3323,7 @@ $LANG = array( 'item_tax_rates' => 'Tassi d\'imposta articolo', 'configure_rates' => 'Configura aliquote', 'tax_settings_rates' => 'Aliquote Fiscali', - 'accent_color' => 'Accent Color', + 'accent_color' => 'Colore dell'accento', 'comma_sparated_list' => 'Lista separata da virgole', 'single_line_text' => 'Testo a riga singola', 'multi_line_text' => 'Testo multi-riga', @@ -3358,11 +3340,11 @@ $LANG = array( 'activity_57' => 'Il sistema non è riuscito a inviare la fattura :invoice via e-mail', 'custom_value3' => 'Valore Personalizzato 3', 'custom_value4' => 'Valore Personalizzato 4', - 'email_style_custom' => 'Custom Email Style', + 'email_style_custom' => 'Stile e-mail personalizzato', 'custom_message_dashboard' => 'Messaggio Pannello di Controllo Personalizzato', 'custom_message_unpaid_invoice' => 'Messaggio personalizzato su fattura non pagata', 'custom_message_paid_invoice' => 'Messaggio personalizzato fattura pagata', - 'custom_message_unapproved_quote' => 'Custom Unapproved Quote Message', + 'custom_message_unapproved_quote' => 'Messaggio di preventivo non approvato personalizzato', 'lock_sent_invoices' => 'Blocca le fatture inviate', 'translations' => 'Traduzioni', 'task_number_pattern' => 'Pattern numero attività', @@ -3383,17 +3365,17 @@ $LANG = array( 'credit_number_counter' => 'Contatore numero credito', 'reset_counter_date' => 'Resetta contatore data', 'counter_padding' => 'Riempimento contatore', - 'shared_invoice_quote_counter' => 'Share Invoice Quote Counter', - 'default_tax_name_1' => 'Default Tax Name 1', - 'default_tax_rate_1' => 'Default Tax Rate 1', - 'default_tax_name_2' => 'Default Tax Name 2', - 'default_tax_rate_2' => 'Default Tax Rate 2', - 'default_tax_name_3' => 'Default Tax Name 3', - 'default_tax_rate_3' => 'Default Tax Rate 3', + 'shared_invoice_quote_counter' => 'Condividi il contatore delle quotazioni delle fatture', + 'default_tax_name_1' => 'Nome fiscale predefinito 1', + 'default_tax_rate_1' => 'Aliquota fiscale predefinita 1', + 'default_tax_name_2' => 'Nome fiscale predefinito 2', + 'default_tax_rate_2' => 'Aliquota fiscale predefinita 2', + 'default_tax_name_3' => 'Nome fiscale predefinito 3', + 'default_tax_rate_3' => 'Aliquota fiscale predefinita 3', 'email_subject_invoice' => 'Oggetto della fattura e-mail', - 'email_subject_quote' => 'Email Quote Subject', - 'email_subject_payment' => 'Email Payment Subject', - 'switch_list_table' => 'Switch List Table', + 'email_subject_quote' => 'Oggetto preventivo e-mail', + 'email_subject_payment' => 'Oggetto pagamento e-mail', + 'switch_list_table' => 'Cambia tabella elenco', 'client_city' => 'Città cliente', 'client_state' => 'Stato cliente', 'client_country' => 'Paese cliente', @@ -3403,10 +3385,10 @@ $LANG = array( 'client_address2' => 'Appartamento/Scala del cliente', 'client_shipping_address1' => 'Via spedizione cliente', 'client_shipping_address2' => 'Appartametno/Scala spedizione cliente', - 'tax_rate1' => 'Tax Rate 1', - 'tax_rate2' => 'Tax Rate 2', - 'tax_rate3' => 'Tax Rate 3', - 'archived_at' => 'Archived At', + 'tax_rate1' => 'Aliquota fiscale 1', + 'tax_rate2' => 'Aliquota fiscale 2', + 'tax_rate3' => 'Aliquota fiscale 3', + 'archived_at' => 'Archiviato a', 'has_expenses' => 'Ha spese', 'custom_taxes1' => 'Tasse Personalizzate 1', 'custom_taxes2' => 'Tasse Personalizzate 2', @@ -3424,13 +3406,13 @@ $LANG = array( 'credit_terms' => 'Termini del Credito', 'untitled_company' => 'Azienda senza nome', 'added_company' => 'Azienda aggiunta con successo', - 'supported_events' => 'Supported Events', - 'custom3' => 'Third Custom', - 'custom4' => 'Fourth Custom', + 'supported_events' => 'Eventi supportati', + 'custom3' => 'Terza usanza', + 'custom4' => 'Quarta usanza', 'optional' => 'Opzionale', 'license' => 'Licenza', 'invoice_balance' => 'Saldo della fattura', - 'saved_design' => 'Successfully saved design', + 'saved_design' => 'Disegno salvato con successo', 'client_details' => 'Dettagli Cliente', 'company_address' => 'Indirizzo azienda', 'quote_details' => 'Dettagli Preventivo', @@ -3452,71 +3434,71 @@ $LANG = array( 'purchase_license' => 'Acquista licenza', 'enable_modules' => 'Attiva moduli', 'converted_quote' => 'Preventivo convertito con successo', - 'credit_design' => 'Credit Design', - 'includes' => 'Includes', - 'css_framework' => 'CSS Framework', - 'custom_designs' => 'Custom Designs', + 'credit_design' => 'Progettazione del credito', + 'includes' => 'Include', + 'css_framework' => 'Struttura CSS', + 'custom_designs' => 'Disegni personalizzati', 'designs' => 'Stili', - 'new_design' => 'New Design', - 'edit_design' => 'Edit Design', - 'created_design' => 'Successfully created design', - 'updated_design' => 'Successfully updated design', - 'archived_design' => 'Successfully archived design', - 'deleted_design' => 'Successfully deleted design', - 'removed_design' => 'Successfully removed design', - 'restored_design' => 'Successfully restored design', + 'new_design' => 'Nuovo design', + 'edit_design' => 'Modifica disegno', + 'created_design' => 'Design creato con successo', + 'updated_design' => 'Design aggiornato con successo', + 'archived_design' => 'Disegno archiviato con successo', + 'deleted_design' => 'Disegno eliminato con successo', + 'removed_design' => 'Disegno rimosso con successo', + 'restored_design' => 'Design restaurato con successo', 'recurring_tasks' => 'Attività ricorrenti', - 'removed_credit' => 'Successfully removed credit', - 'latest_version' => 'Latest Version', + 'removed_credit' => 'Credito rimosso con successo', + 'latest_version' => 'Ultima versione', 'update_now' => 'Aggiorna ora', - 'a_new_version_is_available' => 'A new version of the web app is available', + 'a_new_version_is_available' => 'È disponibile una nuova versione dell'app Web', 'update_available' => 'Aggiornamento disponibile', 'app_updated' => 'Aggiornamento completato con successo', 'integrations' => 'Integrazioni', 'tracking_id' => 'Id di tracciamento', - 'slack_webhook_url' => 'Slack Webhook URL', + 'slack_webhook_url' => 'URL webhook lento', 'partial_payment' => 'Pagamento parziale', 'partial_payment_email' => 'Email di pagamento parziale', 'clone_to_credit' => 'Clona come credito', - 'emailed_credit' => 'Successfully emailed credit', - 'marked_credit_as_sent' => 'Successfully marked credit as sent', + 'emailed_credit' => 'Accredito inviato con successo tramite e-mail', + 'marked_credit_as_sent' => 'Accredito contrassegnato correttamente come inviato', 'email_subject_payment_partial' => 'Oggetto e-mail pagamento parziale', 'is_approved' => 'È approvato', 'migration_went_wrong' => 'Ops, qualcosa è andato storto! Assicurati di aver impostato un\'istanza di Invoice Ninja v5 prima di iniziare la migrazione.', 'cross_migration_message' => 'La migrazione incrociata degli account non è consentita. Per favore, leggi altro qui: https://invoiceninja.github.io/docs/migration/#troubleshooting', - 'email_credit' => 'Email Credit', + 'email_credit' => 'E-mail di credito', 'client_email_not_set' => 'Il cliente non ha un indirizzo email impostato', 'ledger' => 'Registro', 'view_pdf' => 'Vedi PDF', 'all_records' => 'Tutti i dati', 'owned_by_user' => 'Posseduto da utente', - 'credit_remaining' => 'Credit Remaining', + 'credit_remaining' => 'Credito rimanente', 'use_default' => 'Usa predefinito', 'reminder_endless' => 'Promemoria senza scadenza', - 'number_of_days' => 'Number of days', + 'number_of_days' => 'Numero di giorni', 'configure_payment_terms' => 'Configura termini di pagamento', 'payment_term' => 'Termini di pagamento', 'new_payment_term' => 'Nuovi termini di pagamento', 'deleted_payment_term' => 'Termini di pagamento cancellati con successo', 'removed_payment_term' => 'Termini di pagamento rimossi con successo', 'restored_payment_term' => 'Termini di pagamento ripristinati con successo', - 'full_width_editor' => 'Full Width Editor', - 'full_height_filter' => 'Full Height Filter', - 'email_sign_in' => 'Sign in with email', - 'change' => 'Change', - 'change_to_mobile_layout' => 'Change to the mobile layout?', - 'change_to_desktop_layout' => 'Change to the desktop layout?', + 'full_width_editor' => 'Editor a larghezza intera', + 'full_height_filter' => 'Filtro a tutta altezza', + 'email_sign_in' => 'Accedi con l'e-mail', + 'change' => 'Modifica', + 'change_to_mobile_layout' => 'Passare al layout mobile?', + 'change_to_desktop_layout' => 'Passare al layout del desktop?', 'send_from_gmail' => 'Inviato da Gmail', - 'reversed' => 'Reversed', - 'cancelled' => 'Cancelled', + 'reversed' => 'Invertito', + 'cancelled' => 'Annullato', 'quote_amount' => 'Importo del preventivo', - 'hosted' => 'Hosted', - 'selfhosted' => 'Self-Hosted', + 'hosted' => 'Ospitato', + 'selfhosted' => 'Self-ospitato', 'hide_menu' => 'Nascondi menu', 'show_menu' => 'Mostra menu', 'partially_refunded' => 'Parzialmente rimborsato', 'search_documents' => 'Cerca Documenti', - 'search_designs' => 'Search Designs', + 'search_designs' => 'Cerca disegni', 'search_invoices' => 'Cerca Fatture', 'search_clients' => 'Cerca Clienti', 'search_products' => 'Cerca Prodotti', @@ -3536,47 +3518,47 @@ $LANG = array( 'cancelled_invoices' => 'Fatture annullate con successo', 'reversed_invoice' => 'Fattura stornata con successo', 'reversed_invoices' => 'Fatture stornate con successo', - 'reverse' => 'Reverse', - 'filtered_by_project' => 'Filtered by Project', - 'google_sign_in' => 'Sign in with Google', + 'reverse' => 'Inversione', + 'filtered_by_project' => 'Filtrato per progetto', + 'google_sign_in' => 'Accedi con Google', 'activity_58' => ':user ha stornato la fattura :invoice', 'activity_59' => ':user ha cancellato la fattura :invoice', - 'payment_reconciliation_failure' => 'Reconciliation Failure', - 'payment_reconciliation_success' => 'Reconciliation Success', - 'gateway_success' => 'Gateway Success', - 'gateway_failure' => 'Gateway Failure', - 'gateway_error' => 'Gateway Error', - 'email_send' => 'Email Send', - 'email_retry_queue' => 'Email Retry Queue', - 'failure' => 'Failure', - 'quota_exceeded' => 'Quota Exceeded', - 'upstream_failure' => 'Upstream Failure', + 'payment_reconciliation_failure' => 'Riconciliazione fallita', + 'payment_reconciliation_success' => 'Riconciliazione riuscita', + 'gateway_success' => 'Successo del gateway', + 'gateway_failure' => 'Guasto del gateway', + 'gateway_error' => 'Errore del gateway', + 'email_send' => 'E-mail Invia', + 'email_retry_queue' => 'Coda tentativi e-mail', + 'failure' => 'Fallimento', + 'quota_exceeded' => 'Quota superata', + 'upstream_failure' => 'Guasto a monte', 'system_logs' => 'Registri di sistema', 'copy_link' => 'Copia Collegamento', 'welcome_to_invoice_ninja' => 'Benvenuti a Invoice Ninja', - 'optin' => 'Opt-In', - 'optout' => 'Opt-Out', - 'auto_convert' => 'Auto Convert', + 'optin' => 'Attivazione', + 'optout' => 'Decidere di uscire', + 'auto_convert' => 'Conversione automatica', 'reminder1_sent' => 'Promemoria 1 inviato', 'reminder2_sent' => 'Promemoria 2 inviato', 'reminder3_sent' => 'Promemoria 3 inviato', 'reminder_last_sent' => 'Ultimo invio promemoria', 'pdf_page_info' => 'Pagina :current di :total', - 'emailed_credits' => 'Successfully emailed credits', - 'view_in_stripe' => 'View in Stripe', + 'emailed_credits' => 'Crediti inviati con successo tramite e-mail', + 'view_in_stripe' => 'Visualizza a strisce', 'rows_per_page' => 'Righe per pagina', 'apply_payment' => 'Applica pagamento', - 'unapplied' => 'Unapplied', + 'unapplied' => 'Non applicato', 'custom_labels' => 'Etichette Personalizzate', - 'record_type' => 'Record Type', - 'record_name' => 'Record Name', + 'record_type' => 'Tipo di registrazione', + 'record_name' => 'Registra nome', 'file_type' => 'Tipo file', 'height' => 'Altezza', 'width' => 'Larghezza', - 'health_check' => 'Health Check', + 'health_check' => 'Controllo della salute', 'last_login_at' => 'Ultimo login alle', 'company_key' => 'Chiave azienda', - 'storefront' => 'Storefront', + 'storefront' => 'Vetrina', 'storefront_help' => 'Permetti alle app di terze parti di creare fatture', 'count_records_selected' => ':count elementi selezionati', 'count_record_selected' => ':count elemento selezionato', @@ -3609,26 +3591,26 @@ $LANG = array( 'hide_sidebar' => 'Nascondi Barra Laterale', 'event_type' => 'Tipo Evento', 'copy' => 'Copia', - 'must_be_online' => 'Please restart the app once connected to the internet', - 'crons_not_enabled' => 'The crons need to be enabled', - 'api_webhooks' => 'API Webhooks', - 'search_webhooks' => 'Search :count Webhooks', - 'search_webhook' => 'Search 1 Webhook', + 'must_be_online' => 'Riavvia l'app una volta connesso a Internet', + 'crons_not_enabled' => 'I cron devono essere abilitati', + 'api_webhooks' => 'Webhook dell'API', + 'search_webhooks' => 'Cerca :count Webhook', + 'search_webhook' => 'Cerca 1 webhook', 'webhook' => 'Webhook', - 'webhooks' => 'Webhooks', - 'new_webhook' => 'New Webhook', - 'edit_webhook' => 'Edit Webhook', - 'created_webhook' => 'Successfully created webhook', - 'updated_webhook' => 'Successfully updated webhook', - 'archived_webhook' => 'Successfully archived webhook', - 'deleted_webhook' => 'Successfully deleted webhook', - 'removed_webhook' => 'Successfully removed webhook', - 'restored_webhook' => 'Successfully restored webhook', - 'search_tokens' => 'Search :count Tokens', - 'search_token' => 'Search 1 Token', - 'new_token' => 'New Token', - 'removed_token' => 'Successfully removed token', - 'restored_token' => 'Successfully restored token', + 'webhooks' => 'Webhook', + 'new_webhook' => 'Nuovo webhook', + 'edit_webhook' => 'Modifica webhook', + 'created_webhook' => 'Webhook creato correttamente', + 'updated_webhook' => 'Webhook aggiornato correttamente', + 'archived_webhook' => 'Webhook archiviato correttamente', + 'deleted_webhook' => 'Webhook eliminato correttamente', + 'removed_webhook' => 'Webhook rimosso correttamente', + 'restored_webhook' => 'Webhook ripristinato correttamente', + 'search_tokens' => 'Cerca token :count', + 'search_token' => 'Cerca 1 gettone', + 'new_token' => 'Nuovo gettone', + 'removed_token' => 'Token rimosso con successo', + 'restored_token' => 'Token ripristinato correttamente', 'client_registration' => 'Registazione cliente', 'client_registration_help' => 'Permetti al cliente di registrarsi da solo nel portale', 'customize_and_preview' => 'Personalizza & Anteprima', @@ -3657,17 +3639,17 @@ $LANG = array( 'force_update_help' => 'Stai eseguendo l\'ultima versione, ma potrebbero essere disponibili dei fix in attesa.', 'mark_paid_help' => 'Traccia se le spese sono state pagate', 'mark_invoiceable_help' => 'Permetti la fatturazione delle spese', - 'add_documents_to_invoice_help' => 'Make the documents visible to client', + 'add_documents_to_invoice_help' => 'Rendere i documenti visibili al cliente', 'convert_currency_help' => 'Imposta un tasso di cambio', 'expense_settings' => 'Impostazioni Spese', 'clone_to_recurring' => 'Clona come ricorrente', - 'crypto' => 'Crypto', + 'crypto' => 'Cripto', 'user_field' => 'Campo utente', 'variables' => 'Variabili', 'show_password' => 'Mostra Password', 'hide_password' => 'Nascondi Password', 'copy_error' => 'Copia Errore', - 'capture_card' => 'Capture Card', + 'capture_card' => 'Carta di cattura', 'auto_bill_enabled' => 'Fattura automatica abilitata', 'total_taxes' => 'Totale Tasse', 'line_taxes' => 'Riga tasse', @@ -3675,15 +3657,15 @@ $LANG = array( 'stopped_recurring_invoice' => 'Fermata con successo la fattura ricorrente', 'started_recurring_invoice' => 'Fattura ricorrente avviata con successo', 'resumed_recurring_invoice' => 'Fattura ricorrente ripresa con successo', - 'gateway_refund' => 'Gateway Refund', - 'gateway_refund_help' => 'Process the refund with the payment gateway', - 'due_date_days' => 'Due Date', + 'gateway_refund' => 'Rimborso del gateway', + 'gateway_refund_help' => 'Elabora il rimborso con il gateway di pagamento', + 'due_date_days' => 'Scadenza', 'paused' => 'Pausato', 'day_count' => 'Giorno :count', - 'first_day_of_the_month' => 'First Day of the Month', - 'last_day_of_the_month' => 'Last Day of the Month', + 'first_day_of_the_month' => 'Primo giorno del mese', + 'last_day_of_the_month' => 'Ultimo giorno del mese', 'use_payment_terms' => 'Usa termini di pagamento', - 'endless' => 'Endless', + 'endless' => 'Infinito', 'next_send_date' => 'Prossima data di invio', 'remaining_cycles' => 'Cicli restanti', 'created_recurring_invoice' => 'Fattura ricorrente creata con successo', @@ -3693,13 +3675,13 @@ $LANG = array( 'search_recurring_invoices' => 'Cerca :count Fatture ricorrenti', 'send_date' => 'Data di invio', 'auto_bill_on' => 'Fattura automatica attiva', - 'minimum_under_payment_amount' => 'Minimum Under Payment Amount', + 'minimum_under_payment_amount' => 'Importo minimo sotto pagamento', 'allow_over_payment' => 'Consenti pagamento in eccesso', 'allow_over_payment_help' => 'Accetta il pagamento di un extra', 'allow_under_payment' => 'Consenti pagamento ridotto', 'allow_under_payment_help' => 'Accetta il pagamento parziale o di cauzione', 'test_mode' => 'Modalità di test', - 'calculated_rate' => 'Calculated Rate', + 'calculated_rate' => 'Tariffa calcolata', 'default_task_rate' => 'Prezzo di attività predefinito', 'clear_cache' => 'Pulisci cache', 'sort_order' => 'Ordinamento', @@ -3726,13 +3708,13 @@ $LANG = array( 'removed_expense_category' => 'Categoria di spesa rimossa con successo', 'search_expense_category' => 'Cerca 1 categoria di spesa', 'search_expense_categories' => 'Cerca :count categorie di spesa', - 'use_available_credits' => 'Use Available Credits', + 'use_available_credits' => 'Usa i crediti disponibili', 'show_option' => 'Mostra opzione', - 'negative_payment_error' => 'The credit amount cannot exceed the payment amount', + 'negative_payment_error' => 'L'importo del credito non può superare l'importo del pagamento', 'should_be_invoiced_help' => 'Permettere la fatturazione della spesa', 'configure_gateways' => 'Configura i gateway', 'payment_partial' => 'Pagamento parziale', - 'is_running' => 'Is Running', + 'is_running' => 'Sta correndo', 'invoice_currency_id' => 'ID Valuta Fattura', 'tax_name1' => 'Nome tassa 1', 'tax_name2' => 'Nome tassa 2', @@ -3764,17 +3746,17 @@ $LANG = array( 'fullscreen_editor' => 'Editor a schermo intero', 'sidebar_editor' => 'Editor barra laterale', 'please_type_to_confirm' => 'Digita ":value" per confermare', - 'purge' => 'Purge', + 'purge' => 'Epurazione', 'clone_to' => 'Clona come', 'clone_to_other' => 'Clona come altro', 'labels' => 'Etichette', - 'add_custom' => 'Add Custom', - 'payment_tax' => 'Payment Tax', - 'white_label' => 'White Label', + 'add_custom' => 'Aggiungi personalizzato', + 'payment_tax' => 'Imposta di pagamento', + 'white_label' => 'Etichetta bianca', 'sent_invoices_are_locked' => 'Le fatture inviate sono bloccate', 'paid_invoices_are_locked' => 'Le fatture pagate sono bloccate', 'source_code' => 'Codice Sorgente', - 'app_platforms' => 'App Platforms', + 'app_platforms' => 'Piattaforme dell'app', 'archived_task_statuses' => ':value stati attività archiviati con successo', 'deleted_task_statuses' => ':value stati attività cancellati con successo', 'restored_task_statuses' => ':value stati attività ripristinati con successo', @@ -3783,62 +3765,62 @@ $LANG = array( 'archived_recurring_invoices' => 'Archiviato con successo :value fatture ricorrenti ', 'deleted_recurring_invoices' => 'Cancellato con successo :value fatture ricorrenti', 'restored_recurring_invoices' => 'Ripristinato con successo :value fatture ricorrenti', - 'archived_webhooks' => 'Successfully archived :value webhooks', - 'deleted_webhooks' => 'Successfully deleted :value webhooks', - 'removed_webhooks' => 'Successfully removed :value webhooks', - 'restored_webhooks' => 'Successfully restored :value webhooks', + 'archived_webhooks' => 'Webhook :value archiviati correttamente', + 'deleted_webhooks' => 'Webhook :value eliminati con successo', + 'removed_webhooks' => 'Webhook :value rimossi con successo', + 'restored_webhooks' => 'Webhook :value ripristinati correttamente', 'api_docs' => 'Documentazione API', - 'archived_tokens' => 'Successfully archived :value tokens', - 'deleted_tokens' => 'Successfully deleted :value tokens', - 'restored_tokens' => 'Successfully restored :value tokens', - 'archived_payment_terms' => 'Successfully archived :value payment terms', - 'deleted_payment_terms' => 'Successfully deleted :value payment terms', - 'restored_payment_terms' => 'Successfully restored :value payment terms', - 'archived_designs' => 'Successfully archived :value designs', - 'deleted_designs' => 'Successfully deleted :value designs', - 'restored_designs' => 'Successfully restored :value designs', - 'restored_credits' => 'Successfully restored :value credits', + 'archived_tokens' => 'Token :value archiviati correttamente', + 'deleted_tokens' => 'Token :value eliminati correttamente', + 'restored_tokens' => 'Token :value ripristinati correttamente', + 'archived_payment_terms' => 'Termini di pagamento :value archiviati con successo', + 'deleted_payment_terms' => 'Termini di pagamento :value eliminati con successo', + 'restored_payment_terms' => 'Termini di pagamento :value ripristinati con successo', + 'archived_designs' => 'Disegni :value archiviati con successo', + 'deleted_designs' => 'Disegni :value eliminati con successo', + 'restored_designs' => 'Design :value ripristinati con successo', + 'restored_credits' => ':value crediti ripristinati con successo', 'archived_users' => 'Archiviati con successo :value utenti', 'deleted_users' => 'Cancellati con successo :value utenti', 'removed_users' => 'Rimossi con successo :value utenti', 'restored_users' => 'Ripristinati con successo :value utenti', - 'archived_tax_rates' => 'Successfully archived :value tax rates', - 'deleted_tax_rates' => 'Successfully deleted :value tax rates', - 'restored_tax_rates' => 'Successfully restored :value tax rates', - 'archived_company_gateways' => 'Successfully archived :value gateways', - 'deleted_company_gateways' => 'Successfully deleted :value gateways', - 'restored_company_gateways' => 'Successfully restored :value gateways', - 'archived_groups' => 'Successfully archived :value groups', - 'deleted_groups' => 'Successfully deleted :value groups', - 'restored_groups' => 'Successfully restored :value groups', + 'archived_tax_rates' => 'Aliquote fiscali :value archiviate con successo', + 'deleted_tax_rates' => 'Aliquote fiscali :value eliminate con successo', + 'restored_tax_rates' => 'Aliquote fiscali :value ripristinate correttamente', + 'archived_company_gateways' => 'Gateway :value archiviati correttamente', + 'deleted_company_gateways' => 'Gateway :value eliminati con successo', + 'restored_company_gateways' => 'Gateway :value ripristinati correttamente', + 'archived_groups' => 'Gruppi :value archiviati con successo', + 'deleted_groups' => 'Gruppi :value eliminati con successo', + 'restored_groups' => 'Gruppi :value ripristinati correttamente', 'archived_documents' => ':value documenti archiviati con successo', 'deleted_documents' => ':value documenti cancellati con successo', 'restored_documents' => ':value documenti ripristinati con successo', 'restored_vendors' => 'Ripristinati con successo :value fornitori', 'restored_expenses' => 'Ripristinate con successo :value spese', 'restored_tasks' => ':value attività ripristinate con successo', - 'restored_projects' => 'Successfully restored :value projects', + 'restored_projects' => 'Progetti :value ripristinati correttamente', 'restored_products' => 'Ripristinati con successo :value prodotti', - 'restored_clients' => 'Successfully restored :value clients', + 'restored_clients' => 'Client :value ripristinati correttamente', 'restored_invoices' => 'Ripristinato con successo :value fatture', - 'restored_payments' => 'Successfully restored :value payments', - 'restored_quotes' => 'Successfully restored :value quotes', + 'restored_payments' => 'Pagamenti :value ripristinati con successo', + 'restored_quotes' => 'Citazioni :value ripristinate con successo', 'update_app' => 'Aggiorna App', 'started_import' => 'Importazione avviata con successo', - 'duplicate_column_mapping' => 'Duplicate column mapping', + 'duplicate_column_mapping' => 'Mappatura colonna duplicata', 'uses_inclusive_taxes' => 'Usa tasse inclusive', - 'is_amount_discount' => 'Is Amount Discount', - 'map_to' => 'Map To', - 'first_row_as_column_names' => 'Use first row as column names', - 'no_file_selected' => 'No File Selected', + 'is_amount_discount' => 'È Importo Sconto', + 'map_to' => 'Mappa a', + 'first_row_as_column_names' => 'Usa la prima riga come nomi di colonna', + 'no_file_selected' => 'Nessun file selezionato', 'import_type' => 'Tipo di importazione', - 'draft_mode' => 'Draft Mode', + 'draft_mode' => 'Modalità Bozza', 'draft_mode_help' => 'L\'anteprima si aggiornerà più velocemente ma sarà meno accurata', 'show_product_discount' => 'Mostra sconto prodotto', 'show_product_discount_help' => 'Mostra un campo sconto articolo sulla riga', - 'tax_name3' => 'Tax Name 3', - 'debug_mode_is_enabled' => 'Debug mode is enabled', - 'debug_mode_is_enabled_help' => 'Warning: it is intended for use on local machines, it can leak credentials. Click to learn more.', + 'tax_name3' => 'Nome fiscale 3', + 'debug_mode_is_enabled' => 'La modalità di debug è abilitata', + 'debug_mode_is_enabled_help' => 'Attenzione: è destinato all'uso su macchine locali, può far trapelare le credenziali. Clicca per saperne di più.', 'running_tasks' => 'Attività in corso', 'recent_tasks' => 'Attività Recenti', 'recent_expenses' => 'Spese Recenti', @@ -3847,7 +3829,7 @@ $LANG = array( 'search_payment_terms' => 'Cerca :count termini di pagamento', 'save_and_preview' => 'Salva e mostra anteprima', 'save_and_email' => 'Salva e invia e-mail', - 'converted_balance' => 'Converted Balance', + 'converted_balance' => 'Saldo convertito', 'is_sent' => 'È inviato', 'document_upload' => 'Caricamento Documenti', 'document_upload_help' => 'Permettere ai clienti di caricare documenti', @@ -3863,7 +3845,7 @@ $LANG = array( 'empty_columns' => 'Colonne vuote', 'project_name' => 'Nome progetto', 'counter_pattern_error' => 'Per usare :client_counter aggiungere :client_number o :client_id_number per evitare conflitti', - 'this_quarter' => 'This Quarter', + 'this_quarter' => 'Questo quarto', 'to_update_run' => 'Per aggiornare esegui', 'registration_url' => 'URL di registrazione', 'show_product_cost' => 'Mostra costo prodotto', @@ -3876,18 +3858,18 @@ $LANG = array( 'notification_credit_viewed' => 'Il cliente :client ha visualizzato il credito :credit per :amount.', 'reset_password_text' => 'Inserire la mail per resettare la password.', 'password_reset' => 'Reset password', - 'account_login_text' => 'Welcome back! Glad to see you.', + 'account_login_text' => 'Bentornato! Felice di vederti.', 'request_cancellation' => 'Richiedi Cancellazione', 'delete_payment_method' => 'Elimina il metodo di pagamento', - 'about_to_delete_payment_method' => 'You are about to delete the payment method.', + 'about_to_delete_payment_method' => 'Stai per eliminare il metodo di pagamento.', 'action_cant_be_reversed' => 'L\'azione non può essere annullata', - 'profile_updated_successfully' => 'The profile has been updated successfully.', - 'currency_ethiopian_birr' => 'Ethiopian Birr', - 'client_information_text' => 'Use a permanent address where you can receive mail.', + 'profile_updated_successfully' => 'Il profilo è stato aggiornato con successo.', + 'currency_ethiopian_birr' => 'Birr etiope', + 'client_information_text' => 'Usa un indirizzo permanente dove puoi ricevere la posta.', 'status_id' => 'Stato fattura', - 'email_already_register' => 'This email is already linked to an account', - 'locations' => 'Locations', - 'freq_indefinitely' => 'Indefinitely', + 'email_already_register' => 'Questa email è già collegata a un account', + 'locations' => 'Luoghi', + 'freq_indefinitely' => 'Indefinitamente', 'cycles_remaining' => 'Cicli restanti', 'i_understand_delete' => 'Capisco, cancella', 'download_files' => 'Scarica files', @@ -3900,26 +3882,26 @@ $LANG = array( 'notification_partial_payment_paid' => 'Un pagamento parziale di :amount è stato fatto dal cliente :client verso :invoice', 'notification_bot' => 'Bot notifiche', 'invoice_number_placeholder' => 'Fattura # :invoice', - 'entity_number_placeholder' => ':entity # :entity_number', - 'email_link_not_working' => 'If the button above isn\'t working for you, please click on the link', - 'display_log' => 'Display Log', - 'send_fail_logs_to_our_server' => 'Report errors in realtime', - 'setup' => 'Setup', - 'quick_overview_statistics' => 'Quick overview & statistics', + 'entity_number_placeholder' => ':entity # :entity_numero', + 'email_link_not_working' => 'Se il pulsante sopra non funziona per te, fai clic sul link', + 'display_log' => 'Visualizza registro', + 'send_fail_logs_to_our_server' => 'Segnala gli errori in tempo reale', + 'setup' => 'Impostare', + 'quick_overview_statistics' => 'Panoramica rapida e statistiche', 'update_your_personal_info' => 'Aggiorna le tue informazioni personali', 'name_website_logo' => 'Nome, sito web e logo', - 'make_sure_use_full_link' => 'Make sure you use full link to your site', + 'make_sure_use_full_link' => 'Assicurati di utilizzare il collegamento completo al tuo sito', 'personal_address' => 'Indirizzo personale', 'enter_your_personal_address' => 'Inserisci il tuo indirizzo personale', 'enter_your_shipping_address' => 'Inserire l\'indirizzo di spedizione', 'list_of_invoices' => 'Elenco di fatture', - 'with_selected' => 'With selected', + 'with_selected' => 'Con selezionato', 'invoice_still_unpaid' => 'Questa fattura non è ancora stata pagata. Fare clic sul pulsante per completare il pagamento', 'list_of_recurring_invoices' => 'Elenco delle fatture ricorrenti', 'details_of_recurring_invoice' => 'Di seguito sono riportati alcuni dettagli sulla fattura ricorrente', 'cancellation' => 'Cancellazione', - '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.', + 'about_cancellation' => 'Nel caso in cui desideri interrompere la fattura ricorrente, fai clic per richiedere la cancellazione.', + 'cancellation_warning' => 'Avvertimento! Stai richiedendo la cancellazione di questo servizio. Il tuo servizio potrebbe essere annullato senza ulteriore notifica.', 'cancellation_pending' => 'Cancellazione in corso, ci metteremo in contatto!', 'list_of_payments' => 'Elenco dei pagamenti', 'payment_details' => 'Dettagli del pagamento', @@ -3963,7 +3945,7 @@ $LANG = array( 'month_invalid' => 'Il mese inserito non è valido.', 'year_invalid' => 'L\'anno inserito non è valido.', 'https_required' => 'È richiesto HTTPS, il modulo fallirà', - 'if_you_need_help' => 'If you need help you can post to our', + 'if_you_need_help' => 'Se hai bisogno di aiuto puoi postare sul nostro', 'update_password_on_confirm' => 'Dopo l\'aggiornamento della password, il tuo account verrà confermato.', 'bank_account_not_linked' => 'Per pagare con un conto bancario, devi prima aggiungerlo come metodo di pagamento.', 'application_settings_label' => 'Memorizziamo le informazioni di base sul tuo Invoice Ninja!', @@ -3982,9 +3964,9 @@ $LANG = array( 'document_details' => 'Dettagli sul documento', 'hash' => 'Hash', 'resources' => 'Risorse', - 'allowed_file_types' => 'Allowed file types:', - 'common_codes' => 'Common codes and their meanings', - 'payment_error_code_20087' => '20087: Bad Track Data (invalid CVV and/or expiry date)', + 'allowed_file_types' => 'Tipi di file consentiti:', + 'common_codes' => 'Codici comuni e loro significato', + 'payment_error_code_20087' => '20087: Bad Track Data (CVV non valido e/o data di scadenza)', 'download_selected' => 'Scarica selezione', 'to_pay_invoices' => 'Per pagare le fatture, si deve', 'add_payment_method_first' => 'aggiungi metodo di pagamento', @@ -3992,24 +3974,24 @@ $LANG = array( 'payment_due' => 'Pagamento dovuto', 'account_balance' => 'Saldo del conto', 'thanks' => 'Grazie', - 'minimum_required_payment' => 'Minimum required payment is :amount', + 'minimum_required_payment' => 'Il pagamento minimo richiesto è :amount', 'under_payments_disabled' => 'L\'azienda non supporta i sotto-pagamenti', 'over_payments_disabled' => 'L\'azienda non supporta i sovra-pagamenti', 'saved_at' => 'Salvato alle :time', 'credit_payment' => 'Credito applicato alla fattura :invoice_number', - 'credit_subject' => 'New credit :number from :account', - 'credit_message' => 'To view your credit for :amount, click the link below.', + 'credit_subject' => 'Nuovo credito :number da :account', + 'credit_message' => 'Per visualizzare il tuo credito per :amount, fai clic sul link sottostante.', 'payment_type_Crypto' => 'Criptovaluta', 'payment_type_Credit' => 'Credito', 'store_for_future_use' => 'Salva per usi futuri', 'pay_with_credit' => 'Paga con credito', 'payment_method_saving_failed' => 'Il metodo di pagamento non può essere salvato per un utilizzo futuro.', 'pay_with' => 'Paga con', - 'n/a' => 'N/A', + 'n/a' => 'N / A', 'by_clicking_next_you_accept_terms' => 'Cliccando "avanti" confermerai l\'accettazione dei termini.', 'not_specified' => 'Non specificato', 'before_proceeding_with_payment_warning' => 'Prima di procedere con il pagamento è necessario compilare i seguenti campi', - 'after_completing_go_back_to_previous_page' => 'After completing, go back to previous page.', + 'after_completing_go_back_to_previous_page' => 'Dopo aver completato, torna alla pagina precedente.', 'pay' => 'Paga', 'instructions' => 'Istruzioni', 'notification_invoice_reminder1_sent_subject' => 'Il promemoria 1 per la fattura :invoice è stato inviato a :client', @@ -4017,10 +3999,10 @@ $LANG = array( 'notification_invoice_reminder3_sent_subject' => 'Il promemoria 3 per la fattura :invoice è stato inviato a :client', 'notification_invoice_reminder_endless_sent_subject' => 'Il promemoria ricorrente per la fattura :invoice è stato inviato a :client', 'assigned_user' => 'Utente assegnato', - 'setup_steps_notice' => 'To proceed to next step, make sure you test each section.', - 'setup_phantomjs_note' => 'Note about Phantom JS. Read more.', + 'setup_steps_notice' => 'Per procedere al passaggio successivo, assicurati di testare ogni sezione.', + 'setup_phantomjs_note' => 'Nota su Phantom JS. Per saperne di più.', 'minimum_payment' => 'Pagamento minimo', - 'no_action_provided' => 'No action provided. If you believe this is wrong, please contact the support.', + 'no_action_provided' => 'Nessuna azione fornita. Se ritieni che ciò sia sbagliato, contatta l'assistenza.', 'no_payable_invoices_selected' => 'Nessuna fattura pagabile selezionata. Assicurati di non stare pagando una bozza di fattura o una fattura con saldo zero.', 'required_payment_information' => 'Dettagli di pagamento richiesti', 'required_payment_information_more' => 'Per completare un pagamento abbiamo bisogno di maggiori dettagli su di te.', @@ -4030,74 +4012,74 @@ $LANG = array( 'save_payment_method_details' => 'Salva i dettagli del metodo di pagamento', 'new_card' => 'Nuova carta', 'new_bank_account' => 'Nuovo conto bancario', - 'company_limit_reached' => 'Limit of :limit companies per account.', + 'company_limit_reached' => 'Limite di aziende :limit per account.', 'credits_applied_validation' => 'Il totale dei crediti applicati non può essere SUPERIORE al totale delle fatture', - 'credit_number_taken' => 'Credit number already taken', + 'credit_number_taken' => 'Numero di credito già preso', 'credit_not_found' => 'Credito non trovato', 'invoices_dont_match_client' => 'Le fatture selezionate non appartengono ad un unico cliente', - 'duplicate_credits_submitted' => 'Duplicate credits submitted.', + 'duplicate_credits_submitted' => 'Crediti duplicati inviati.', 'duplicate_invoices_submitted' => 'Fatture duplicate inviate.', 'credit_with_no_invoice' => 'È necessario disporre di una fattura impostata quando si utilizza del credito in un pagamento', 'client_id_required' => 'L\'ID cliente è obbligatorio', 'expense_number_taken' => 'Numero di spesa già utilizzato', 'invoice_number_taken' => 'Numero di fattura già usato', - 'payment_id_required' => 'Payment `id` required.', + 'payment_id_required' => 'Pagamento `id` richiesto.', 'unable_to_retrieve_payment' => 'Impossibile recuperare il pagamento specificato', 'invoice_not_related_to_payment' => 'ID fattura :invoice non è relativa a questo pagamento', 'credit_not_related_to_payment' => 'ID credito :credit non è relativo a questo pagamento', 'max_refundable_invoice' => 'Tentativo di rimborso superiore al consentito per la fattura id :invoice, l\'importo massimo rimborsabile è :amount', 'refund_without_invoices' => 'Si sta tentando di rimborsare un pagamento con fatture allegate, specificare le fatture valide da rimborsare.', 'refund_without_credits' => 'Si sta tentando di rimborsare un pagamento con crediti allegati, specificare i crediti validi da rimborsare.', - 'max_refundable_credit' => 'Attempting to refund more than allowed for credit :credit, maximum refundable amount is :amount', - 'project_client_do_not_match' => 'Project client does not match entity client', + 'max_refundable_credit' => 'Tentativo di rimborsare più di quanto consentito per il credito :credit, l'importo massimo rimborsabile è :amount', + 'project_client_do_not_match' => 'Il client del progetto non corrisponde al client dell'entità', 'quote_number_taken' => 'Numero preventivo già in uso', 'recurring_invoice_number_taken' => 'Numero di fattura ricorrente :number già usato', 'user_not_associated_with_account' => 'Utente non associato a questo account', - 'amounts_do_not_balance' => 'Amounts do not balance correctly.', + 'amounts_do_not_balance' => 'Gli importi non vengono bilanciati correttamente.', 'insufficient_applied_amount_remaining' => 'Importo applicato rimanente insufficiente per coprire il pagamento.', 'insufficient_credit_balance' => 'Bilancio del credito insufficiente.', 'one_or_more_invoices_paid' => 'Una o più di queste fatture sono state pagate', 'invoice_cannot_be_refunded' => 'L\'id della fattura :number non può essere rimborsato', - 'attempted_refund_failed' => 'Attempting to refund :amount only :refundable_amount available for refund', + 'attempted_refund_failed' => 'Tentativo di rimborso :amount solo :refundable_amount disponibile per il rimborso', 'user_not_associated_with_this_account' => 'Questo utente non può essere collegato a questa azienda. Forse ha già registrato un utente su un altro account?', 'migration_completed' => 'Migrazione completata', - 'migration_completed_description' => 'Your migration has completed, please review your data after logging in.', + 'migration_completed_description' => 'La tua migrazione è stata completata, controlla i tuoi dati dopo aver effettuato l'accesso.', 'api_404' => '404 | Niente da vedere qui!', - 'large_account_update_parameter' => 'Cannot load a large account without a updated_at parameter', + 'large_account_update_parameter' => 'Impossibile caricare un account di grandi dimensioni senza un parametro updated_at', 'no_backup_exists' => 'Non esiste un backup per questa attività', - 'company_user_not_found' => 'Company User record not found', + 'company_user_not_found' => 'Record utente azienda non trovato', 'no_credits_found' => 'Nessun credito trovato.', - 'action_unavailable' => 'The requested action :action is not available.', + 'action_unavailable' => 'L'azione richiesta :action non è disponibile.', 'no_documents_found' => 'Nessun documento trovato', - 'no_group_settings_found' => 'No group settings found', - 'access_denied' => 'Insufficient privileges to access/modify this resource', + 'no_group_settings_found' => 'Nessuna impostazione di gruppo trovata', + 'access_denied' => 'Privilegi insufficienti per accedere/modificare questa risorsa', 'invoice_cannot_be_marked_paid' => 'La fattura non può essere segnata come pagata', - 'invoice_license_or_environment' => 'Invalid license, or invalid environment :environment', - 'route_not_available' => 'Route not available', + 'invoice_license_or_environment' => 'Licenza non valida o ambiente non valido :environment', + 'route_not_available' => 'Percorso non disponibile', 'invalid_design_object' => 'Oggetto di design personalizzato non valido', 'quote_not_found' => 'Preventivo/i non trovati', 'quote_unapprovable' => 'Impossibile approvare il preventivo in quanto scaduto.', - 'scheduler_has_run' => 'Scheduler has run', - 'scheduler_has_never_run' => 'Scheduler has never run', + 'scheduler_has_run' => 'Il programma di pianificazione è stato eseguito', + 'scheduler_has_never_run' => 'Scheduler non è mai stato eseguito', 'self_update_not_available' => 'L\'aggiornamento automatico non è disponibile su questo sistema.', 'user_detached' => 'Utente separato dall\'azienda', - 'create_webhook_failure' => 'Failed to create Webhook', + 'create_webhook_failure' => 'Impossibile creare il webhook', 'payment_message_extended' => 'Grazie per il pagamento di :amount per :invoice', - 'online_payments_minimum_note' => 'Note: Online payments are supported only if amount is bigger than $1 or currency equivalent.', + 'online_payments_minimum_note' => 'Nota: i pagamenti online sono supportati solo se l'importo è superiore a $ 1 o equivalente in valuta.', 'payment_token_not_found' => 'Token di pagamento non trovato, riprova. Se il problema persiste, prova con un altro metodo di pagamento', 'vendor_address1' => 'Via Fornitore', 'vendor_address2' => 'Scala/Appartamento Fornitore', - 'partially_unapplied' => 'Partially Unapplied', - 'select_a_gmail_user' => 'Please select a user authenticated with Gmail', - 'list_long_press' => 'List Long Press', + 'partially_unapplied' => 'Parzialmente non applicato', + 'select_a_gmail_user' => 'Seleziona un utente autenticato con Gmail', + 'list_long_press' => 'Elenco Premere a lungo', 'show_actions' => 'Mostra azioni', 'start_multiselect' => 'Lancia multiselezione', 'email_sent_to_confirm_email' => 'Una mail è stata inviata per confermare l\'indirizzo email', - 'converted_paid_to_date' => 'Converted Paid to Date', - 'converted_credit_balance' => 'Converted Credit Balance', - 'converted_total' => 'Converted Total', - 'reply_to_name' => 'Reply-To Name', - 'payment_status_-2' => 'Partially Unapplied', + 'converted_paid_to_date' => 'Convertito pagato fino ad oggi', + 'converted_credit_balance' => 'Saldo a credito convertito', + 'converted_total' => 'Totale convertito', + 'reply_to_name' => 'Rispondi a nome', + 'payment_status_-2' => 'Parzialmente non applicato', 'color_theme' => 'Colore del tema', 'start_migration' => 'Inizia migrazione', 'recurring_cancellation_request' => 'Richiesta di cancellazione della fattura ricorrente da :contact', @@ -4105,7 +4087,7 @@ $LANG = array( 'hello' => 'Ciao', 'group_documents' => 'Raggruppa documenti', 'quote_approval_confirmation_label' => 'Sei sicuro di voler approvare questo preventivo?', - 'migration_select_company_label' => 'Select companies to migrate', + 'migration_select_company_label' => 'Seleziona le aziende da migrare', 'force_migration' => 'Forza migrazione', 'require_password_with_social_login' => 'Richiedi una password per il login Social', 'stay_logged_in' => 'Rimani autenticato', @@ -4117,17 +4099,17 @@ $LANG = array( 'security_settings' => 'Impostazioni di Sicurezza', 'resend_email' => 'Reinvia email', 'confirm_your_email_address' => 'Si prega di confermare l\'indirizzo email', - 'freshbooks' => 'FreshBooks', + 'freshbooks' => 'Libri freschi', 'invoice2go' => 'Invoice2go', 'invoicely' => 'Invoicely', - 'waveaccounting' => 'Wave Accounting', + 'waveaccounting' => 'Contabilità ondulatoria', 'zoho' => 'Zoho', - 'accounting' => 'Accounting', - 'required_files_missing' => 'Please provide all CSVs.', - 'migration_auth_label' => 'Let\'s continue by authenticating.', - 'api_secret' => 'API secret', + 'accounting' => 'Contabilità', + 'required_files_missing' => 'Fornisci tutti i CSV.', + 'migration_auth_label' => 'Continuiamo con l'autenticazione.', + 'api_secret' => 'Segreto dell'API', 'migration_api_secret_notice' => 'Puoi trovare API_SECRET nel file .env o in Invoice Ninja v5. Se questa proprietà manca, lascia il campo vuoto.', - 'billing_coupon_notice' => 'Your discount will be applied on the checkout.', + 'billing_coupon_notice' => 'Il tuo sconto verrà applicato alla cassa.', 'use_last_email' => 'Usa ultima email', 'activate_company' => 'Attiva azienda', 'activate_company_help' => 'Abilitare le e-mail, le fatture ricorrenti e le notifiche', @@ -4137,16 +4119,16 @@ $LANG = array( 'help_translate' => 'Contribuisci alla traduzione', 'please_select_a_country' => 'Selezionare un paese', 'disabled_two_factor' => 'Disattivato con successo 2FA', - 'connected_google' => 'Successfully connected account', - 'disconnected_google' => 'Successfully disconnected account', + 'connected_google' => 'Account collegato correttamente', + 'disconnected_google' => 'Account disconnesso correttamente', 'delivered' => 'Consegnato', 'spam' => 'Spam', 'view_docs' => 'Vedi documentazione', 'enter_phone_to_enable_two_factor' => 'Si prega di fornire un numero di telefono cellulare per abilitare l\'autenticazione a due fattori', 'send_sms' => 'Invia SMS', 'sms_code' => 'Codice SMS', - 'connect_google' => 'Connect Google', - 'disconnect_google' => 'Disconnect Google', + 'connect_google' => 'Connetti Google', + 'disconnect_google' => 'Disconnetti Google', 'disable_two_factor' => 'Disabilita 2FA', 'invoice_task_datelog' => 'Datelog delle attività di fatturazione', 'invoice_task_datelog_help' => 'Aggiungi i dettagli della data alle voci della fattura', @@ -4154,26 +4136,26 @@ $LANG = array( 'recurring_invoice_issued_to' => 'Fattura ricorrente emessa a', 'subscription' => 'Abbonamento', 'new_subscription' => 'Nuovo Abbonamento', - 'deleted_subscription' => 'Successfully deleted subscription', - 'removed_subscription' => 'Successfully removed subscription', - 'restored_subscription' => 'Successfully restored subscription', + 'deleted_subscription' => 'Abbonamento eliminato correttamente', + 'removed_subscription' => 'Abbonamento rimosso correttamente', + 'restored_subscription' => 'Abbonamento ripristinato correttamente', 'search_subscription' => 'Cerca 1 abbonamento', 'search_subscriptions' => 'Cerca :count abbonamenti', 'subdomain_is_not_available' => 'Sottodominio non disponibile', 'connect_gmail' => 'Connetti Gmail', 'disconnect_gmail' => 'Disconnetti Gmail', - 'connected_gmail' => 'Successfully connected Gmail', - 'disconnected_gmail' => 'Successfully disconnected Gmail', - 'update_fail_help' => 'Changes to the codebase may be blocking the update, you can run this command to discard the changes:', + 'connected_gmail' => 'Gmail collegato correttamente', + 'disconnected_gmail' => 'Gmail disconnesso correttamente', + 'update_fail_help' => 'Le modifiche alla codebase potrebbero bloccare l'aggiornamento, puoi eseguire questo comando per eliminare le modifiche:', 'client_id_number' => 'Numero ID cliente', 'count_minutes' => ':count Minuti', 'password_timeout' => 'Scadenza Password', - 'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter', - 'activity_80' => ':user created subscription :subscription', - 'activity_81' => ':user updated subscription :subscription', - 'activity_82' => ':user archived subscription :subscription', - 'activity_83' => ':user deleted subscription :subscription', - 'activity_84' => ':user restored subscription :subscription', + 'shared_invoice_credit_counter' => 'Condividere fattura/contatore di credito', + 'activity_80' => ':user abbonamento creato :subscription', + 'activity_81' => ':user abbonamento aggiornato :subscription', + 'activity_82' => ':user abbonamento archiviato :subscription', + 'activity_83' => ':user abbonamento cancellato :subscription', + 'activity_84' => ':user abbonamento ripristinato :subscription', 'amount_greater_than_balance_v5' => 'L\'importo è superiore al saldo della fattura. Non si può pagare in eccesso una fattura.', 'click_to_continue' => 'Clicca per continuare', 'notification_invoice_created_body' => 'La fattura :invoice è stata creata per il cliente :client per :amount.', @@ -4183,872 +4165,888 @@ $LANG = array( 'notification_credit_created_body' => 'Il credito :invoice è stato creato per il cliente :client per :amount.', 'notification_credit_created_subject' => 'Il credito :invoice è stato creato per :client', 'max_companies' => 'Massimo di aziende migrate', - 'max_companies_desc' => 'You have reached your maximum number of companies. Delete existing companies to migrate new ones.', - 'migration_already_completed' => 'Company already migrated', - 'migration_already_completed_desc' => 'Looks like you already migrated :company_name to the V5 version of the Invoice Ninja. In case you want to start over, you can force migrate to wipe existing data.', - 'payment_method_cannot_be_authorized_first' => 'This payment method can be can saved for future use, once you complete your first transaction. Don\'t forget to check "Store details" during payment process.', + 'max_companies_desc' => 'Hai raggiunto il numero massimo di aziende. Elimina le società esistenti per migrarne di nuove.', + 'migration_already_completed' => 'Società già migrata', + 'migration_already_completed_desc' => 'Sembra che tu abbia già eseguito la migrazione di :company_name alla versione V5 di Invoice Ninja. Nel caso in cui desideri ricominciare da capo, puoi forzare la migrazione per cancellare i dati esistenti.', + 'payment_method_cannot_be_authorized_first' => 'Questo metodo di pagamento può essere salvato per un utilizzo futuro, una volta completata la prima transazione. Non dimenticare di controllare "Dettagli negozio" durante il processo di pagamento.', 'new_account' => 'Nuovo account', 'activity_100' => 'fattura ricorrente :recurring_invoice creata dall\'utente :user', - 'activity_101' => ':user updated recurring invoice :recurring_invoice', - 'activity_102' => ':user archived recurring invoice :recurring_invoice', - 'activity_103' => ':user deleted recurring invoice :recurring_invoice', - 'activity_104' => ':user restored recurring invoice :recurring_invoice', + 'activity_101' => ':user aggiornata fattura ricorrente :recurring_invoice', + 'activity_102' => ':user fattura ricorrente archiviata :recurring_invoice', + 'activity_103' => ':user cancellata fattura ricorrente :recurring_invoice', + 'activity_104' => ':user fattura ricorrente ripristinata :recurring_invoice', '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:

IP: :ip
Time: :time
Email: :email', + 'new_login_description' => 'Di recente hai effettuato l'accesso al tuo account Invoice Ninja da una nuova posizione o dispositivo:

IP: :ip
Tempo: :time
E-mail: :email', 'contact_details' => 'Dettagli contatto', 'download_backup_subject' => 'Il backup della tua azienda è pronto per il download', - 'account_passwordless_login' => 'Account passwordless login', + 'account_passwordless_login' => 'Accesso senza password all'account', 'user_duplicate_error' => 'Impossibile aggiungere lo stesso utente alla stessa azienda più volte', - 'user_cross_linked_error' => 'User exists but cannot be crossed linked to multiple accounts', + 'user_cross_linked_error' => 'L'utente esiste ma non può essere collegato a più account', 'ach_verification_notification_label' => 'Verifica ACH', - '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' => 'There was a request to login using link. If you did not request this, it\'s safe to ignore it.', + 'ach_verification_notification' => 'Il collegamento dei conti bancari richiede una verifica. Il gateway di pagamento invierà automaticamente due piccoli depositi per questo scopo. Questi versamenti richiedono 1-2 giorni lavorativi per comparire sull'estratto conto online del cliente.', + 'login_link_requested_label' => 'Link di accesso richiesto', + 'login_link_requested' => 'C'è stata una richiesta di accesso tramite link. Se non l'hai richiesto, puoi ignorarlo.', 'invoices_backup_subject' => 'Le tue fatture sono pronte per il download', 'migration_failed_label' => 'Migrazione fallita', - 'migration_failed' => 'Looks like something went wrong with the migration for the following company:', - 'client_email_company_contact_label' => 'If you have any questions please contact us, we\'re here to help!', + 'migration_failed' => 'Sembra che qualcosa sia andato storto con la migrazione per la seguente azienda:', + 'client_email_company_contact_label' => 'Se hai domande, contattaci, siamo qui per aiutarti!', 'quote_was_approved_label' => 'Il preventivo è stato approvato', 'quote_was_approved' => 'Si informa che il preventivo è stato approvato.', 'company_import_failure_subject' => 'Errore durante l\'importazione di :company', - 'company_import_failure_body' => 'There was an error importing the company data, the error message was:', + 'company_import_failure_body' => 'Si è verificato un errore durante l'importazione dei dati dell'azienda, il messaggio di errore era:', 'recurring_invoice_due_date' => 'Data di scadenza', - 'amount_cents' => 'Amount in pennies,pence or cents. ie for $0.10 please enter 10', + 'amount_cents' => 'Importo in penny, pence o centesimi. ad esempio per $ 0,10 inserisci 10', 'default_payment_method_label' => 'Metodo di pagamento predefinito', 'default_payment_method' => 'Imposta come metodo di pagamento preferito.', - 'already_default_payment_method' => 'This is your preferred way of paying.', - 'auto_bill_disabled' => 'Auto Bill Disabled', + 'already_default_payment_method' => 'Questo è il tuo modo preferito di pagare.', + 'auto_bill_disabled' => 'Fatturazione automatica disabilitata', 'select_payment_method' => 'Seleziona un metodo di pagamento:', 'login_without_password' => 'Log in senza password', 'email_sent' => 'Mandami un\'email quando una fattura è inviata', 'one_time_purchases' => 'Acquisti singoli', 'recurring_purchases' => 'Acquisti ricorrenti', - 'you_might_be_interested_in_following' => 'You might be interested in the following', + 'you_might_be_interested_in_following' => 'Potresti essere interessato a quanto segue', 'quotes_with_status_sent_can_be_approved' => 'Solo i preventivi in stato "inviato" possono essere approvati.', - 'no_quotes_available_for_download' => 'No quotes available for download.', + 'no_quotes_available_for_download' => 'Nessuna citazione disponibile per il download.', 'copyright' => 'Copyright', - 'user_created_user' => ':user created :created_user at :time', + 'user_created_user' => ':user creato :created_user a :time', 'company_deleted' => 'Azienda eliminata', - 'company_deleted_body' => 'Company [ :company ] was deleted by :user', + 'company_deleted_body' => 'L'azienda [:company] è stata cancellata da :user', 'back_to' => 'Torna a :url', - '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.

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_body' => 'In a 24 hour period you have sent :quota emails.
We have paused your outbound emails.

Your email quota will reset at 23:00 UTC.', - 'auto_bill_option' => 'Opt in or out of having this invoice automatically charged.', + 'stripe_connect_migration_title' => 'Collega il tuo account Stripe', + 'stripe_connect_migration_desc' => 'Invoice Ninja v5 utilizza Stripe Connect per collegare il tuo account Stripe a Invoice Ninja. Ciò fornisce un ulteriore livello di sicurezza per il tuo account. Ora che i tuoi dati sono stati migrati, dovrai autorizzare Stripe ad accettare pagamenti nella v5.

Per farlo, vai su Impostazioni > Pagamenti online > Configura gateway. Fare clic su Stripe Connect e quindi in Impostazioni fare clic su Setup Gateway. Questo ti porterà a Stripe per autorizzare Invoice Ninja e al tuo ritorno il tuo account sarà collegato con successo!', + 'email_quota_exceeded_subject' => 'Quota email dell'account superata.', + 'email_quota_exceeded_body' => 'In un periodo di 24 ore hai inviato email :quota.
Abbiamo sospeso le tue email in uscita.

La tua quota email verrà reimpostata alle 23:00 UTC.', + 'auto_bill_option' => 'Attiva o disattiva l'addebito automatico di questa fattura.', 'lang_Arabic' => 'Arabo', 'lang_Persian' => 'Persiano', - 'lang_Latvian' => 'Latvian', + 'lang_Latvian' => 'lettone', 'expiry_date' => 'Data di scadenza', - 'cardholder_name' => 'Card holder name', - 'recurring_quote_number_taken' => 'Recurring Quote number :number already taken', - 'account_type' => 'Account type', - 'locality' => 'Locality', - 'checking' => 'Checking', - 'savings' => 'Savings', - 'unable_to_verify_payment_method' => 'Unable to verify payment method.', - 'generic_gateway_error' => 'Gateway configuration error. Please check your credentials.', + 'cardholder_name' => 'Nome del titolare', + 'recurring_quote_number_taken' => 'Citazione ricorrente numero :number già presa', + 'account_type' => 'Tipo di account', + 'locality' => 'Località', + 'checking' => 'Controllo', + 'savings' => 'Risparmio', + 'unable_to_verify_payment_method' => 'Impossibile verificare il metodo di pagamento.', + 'generic_gateway_error' => 'Errore di configurazione del gateway. Controlla le tue credenziali.', 'my_documents' => 'I miei documenti', - 'payment_method_cannot_be_preauthorized' => 'This payment method cannot be preauthorized.', + 'payment_method_cannot_be_preauthorized' => 'Questo metodo di pagamento non può essere preautorizzato.', 'kbc_cbc' => 'KBC/CBC', 'bancontact' => 'Bancontact', - 'sepa_mandat' => 'By providing your IBAN and confirming this payment, you are authorizing :company and Stripe, our payment service provider, to send instructions to your bank to debit your account and your bank to debit your account in accordance with those instructions. You are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. A refund must be claimed within 8 weeks starting from the date on which your account was debited.', - 'ideal' => 'iDEAL', - 'bank_account_holder' => 'Bank Account Holder', - 'aio_checkout' => 'All-in-one checkout', + 'sepa_mandat' => 'Fornendo il tuo IBAN e confermando questo pagamento, autorizzi :company e Stripe, il nostro fornitore di servizi di pagamento, a inviare istruzioni alla tua banca per addebitare il tuo conto e la tua banca ad addebitare il tuo conto in conformità con tali istruzioni. Hai diritto a un rimborso dalla tua banca secondo i termini e le condizioni del tuo accordo con la tua banca. Un rimborso deve essere richiesto entro 8 settimane a partire dalla data in cui è stato addebitato il tuo conto.', + 'ideal' => 'ideale', + 'bank_account_holder' => 'Titolare del conto bancario', + 'aio_checkout' => 'Pagamento tutto in uno', 'przelewy24' => 'Przelewy24', - 'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.', + 'przelewy24_accept' => 'Dichiaro di aver familiarizzato con i regolamenti e l'obbligo di informazione del servizio Przelewy24.', 'giropay' => 'GiroPay', - 'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.', - 'klarna' => 'Klarna', + 'giropay_law' => 'Inserendo le informazioni del cliente (come nome, codice di ordinamento e numero di conto) l'utente (il cliente) accetta che tali informazioni vengano fornite volontariamente.', + 'klarna' => 'Clarna', 'eps' => 'EPS', - '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 Direct Debit Request and the Direct Debit Request service agreement, 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.', - 'direct_debit' => 'Direct Debit', - 'clone_to_expense' => 'Clone to Expense', - 'checkout' => 'Checkout', - 'acss' => 'Pre-authorized debit payments', - 'invalid_amount' => 'Invalid amount. Number/Decimal values only.', - 'client_payment_failure_body' => 'Payment for Invoice :invoice for amount :amount failed.', + 'becs' => 'BECS addebito diretto', + 'bacs' => 'Addebito diretto BACS', + 'payment_type_BACS' => 'Addebito diretto BACS', + 'missing_payment_method' => 'Aggiungi un metodo di pagamento prima di provare a pagare.', + 'becs_mandate' => 'Fornendo i dettagli del tuo conto bancario, accetti la presente richiesta di addebito diretto e il contratto di servizio per la richiesta di addebito diretto e autorizzi Stripe Payments Australia Pty Ltd ACN 160 180 343 Numero ID utente addebito diretto 507156 ("Stripe") ad addebitare il tuo conto tramite il Bulk Electronic Clearing System (BECS) per conto di :company (l'"Esercente") per qualsiasi importo comunicato separatamente dall'Esercente. Dichiari di essere il titolare di un conto o un firmatario autorizzato sul conto sopra elencato.', + 'you_need_to_accept_the_terms_before_proceeding' => 'Devi accettare i termini prima di procedere.', + 'direct_debit' => 'Addebito diretto', + 'clone_to_expense' => 'Clona in spesa', + 'checkout' => 'Guardare', + 'acss' => 'Pagamenti con addebito pre-autorizzato', + 'invalid_amount' => 'Importo non valido. Solo valori numerici/decimali.', + 'client_payment_failure_body' => 'Il pagamento della fattura :invoice per l'importo :amount non è riuscito.', 'browser_pay' => 'Google Pay, Apple Pay, Microsoft Pay', - 'no_available_methods' => 'We can\'t find any credit cards on your device. Read more about this.', - 'gocardless_mandate_not_ready' => 'Payment mandate is not ready. Please try again later.', - 'payment_type_instant_bank_pay' => 'Instant Bank Pay', - 'payment_type_iDEAL' => 'iDEAL', + 'no_available_methods' => 'Non riusciamo a trovare nessuna carta di credito sul tuo dispositivo. Leggi di più su questo.', + 'gocardless_mandate_not_ready' => 'Il mandato di pagamento non è pronto. Per favore riprova più tardi.', + 'payment_type_instant_bank_pay' => 'Pagamento bancario istantaneo', + 'payment_type_iDEAL' => 'ideale', 'payment_type_Przelewy24' => 'Przelewy24', - 'payment_type_Mollie Bank Transfer' => 'Mollie Bank Transfer', + 'payment_type_Mollie Bank Transfer' => 'Mollie bonifico bancario', 'payment_type_KBC/CBC' => 'KBC/CBC', - 'payment_type_Instant Bank Pay' => 'Instant Bank Pay', - 'payment_type_Hosted Page' => 'Hosted Page', + 'payment_type_Instant Bank Pay' => 'Pagamento bancario istantaneo', + 'payment_type_Hosted Page' => 'Pagina ospitata', 'payment_type_GiroPay' => 'GiroPay', 'payment_type_EPS' => 'EPS', - 'payment_type_Direct Debit' => 'Direct Debit', + 'payment_type_Direct Debit' => 'Addebito diretto', 'payment_type_Bancontact' => 'Bancontact', 'payment_type_BECS' => 'BECS', 'payment_type_ACSS' => 'ACSS', - 'gross_line_total' => 'Gross line total', - 'lang_Slovak' => 'Slovak', - 'normal' => 'Normal', - 'large' => 'Large', - 'extra_large' => 'Extra Large', - 'show_pdf_preview' => 'Show PDF Preview', - 'show_pdf_preview_help' => 'Display PDF preview while editing invoices', - 'print_pdf' => 'Print PDF', - 'remind_me' => 'Remind Me', - 'instant_bank_pay' => 'Instant Bank Pay', - 'click_selected' => 'Click Selected', - 'hide_preview' => 'Hide Preview', - 'edit_record' => 'Edit Record', - 'credit_is_more_than_invoice' => 'The credit amount can not be more than the invoice amount', - 'please_set_a_password' => 'Please set an account password', - 'recommend_desktop' => 'We recommend using the desktop app for the best performance', - 'recommend_mobile' => 'We recommend using the mobile app for the best performance', - 'disconnected_gateway' => 'Successfully disconnected gateway', - 'disconnect' => 'Disconnect', - 'add_to_invoices' => 'Add to Invoices', - 'bulk_download' => 'Download', - 'persist_data_help' => 'Save data locally to enable the app to start faster, disabling may improve performance in large accounts', - 'persist_ui' => 'Persist UI', - 'persist_ui_help' => 'Save UI state locally to enable the app to start at the last location, disabling may improve performance', - 'client_postal_code' => 'Client Postal Code', - 'client_vat_number' => 'Client VAT Number', - 'has_tasks' => 'Has Tasks', - 'registration' => 'Registration', - 'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', - 'update_all_records' => 'Update all records', - 'set_default_company' => 'Set Default Company', - 'updated_company' => 'Successfully updated company', - 'kbc' => 'KBC', - 'why_are_you_leaving' => 'Help us improve by telling us why (optional)', - 'webhook_success' => 'Webhook Success', - 'error_cross_client_tasks' => 'Tasks must all belong to the same client', - 'error_cross_client_expenses' => 'Expenses must all belong to the same client', + 'gross_line_total' => 'Totale linea lorda', + 'lang_Slovak' => 'slovacco', + 'normal' => 'Normale', + 'large' => 'Grande', + 'extra_large' => 'Extra grande', + 'show_pdf_preview' => 'Mostra anteprima PDF', + 'show_pdf_preview_help' => 'Visualizza l'anteprima PDF durante la modifica delle fatture', + 'print_pdf' => 'Stampa PDF', + 'remind_me' => 'Ricordami', + 'instant_bank_pay' => 'Pagamento bancario istantaneo', + 'click_selected' => 'Fare clic su Selezionato', + 'hide_preview' => 'Nascondi anteprima', + 'edit_record' => 'Modifica registrazione', + 'credit_is_more_than_invoice' => 'L'importo del credito non può essere superiore all'importo della fattura', + 'please_set_a_password' => 'Si prega di impostare una password per l'account', + 'recommend_desktop' => 'Si consiglia di utilizzare l'app desktop per ottenere le migliori prestazioni', + 'recommend_mobile' => 'Si consiglia di utilizzare l'app per dispositivi mobili per ottenere le migliori prestazioni', + 'disconnected_gateway' => 'Gateway disconnesso correttamente', + 'disconnect' => 'Disconnetti', + 'add_to_invoices' => 'Aggiungi a fatture', + 'bulk_download' => 'Scaricamento', + 'persist_data_help' => 'Salva i dati in locale per consentire all'app di avviarsi più velocemente, la disabilitazione può migliorare le prestazioni in account di grandi dimensioni', + 'persist_ui' => 'Mantieni l'interfaccia utente', + 'persist_ui_help' => 'Salva lo stato dell'interfaccia utente in locale per consentire l'avvio dell'app dall'ultima posizione, la disabilitazione potrebbe migliorare le prestazioni', + 'client_postal_code' => 'Codice postale del cliente', + 'client_vat_number' => 'Partita IVA cliente', + 'has_tasks' => 'Ha compiti', + 'registration' => 'Registrazione', + 'unauthorized_stripe_warning' => 'Autorizza Stripe ad accettare pagamenti online.', + 'update_all_records' => 'Aggiorna tutti i record', + 'set_default_company' => 'Imposta società predefinita', + 'updated_company' => 'Azienda aggiornata con successo', + 'kbc' => 'Kbc', + 'why_are_you_leaving' => 'Aiutaci a migliorare spiegandoci perché (facoltativo)', + 'webhook_success' => 'Successo del webhook', + 'error_cross_client_tasks' => 'Le attività devono appartenere tutte allo stesso client', + 'error_cross_client_expenses' => 'Le spese devono appartenere tutte allo stesso cliente', 'app' => 'App', - 'for_best_performance' => 'For the best performance download the :app app', - 'bulk_email_invoice' => 'Email Invoice', - 'bulk_email_quote' => 'Email Quote', - 'bulk_email_credit' => 'Email Credit', - 'removed_recurring_expense' => 'Successfully removed recurring expense', - 'search_recurring_expense' => 'Search Recurring Expense', - 'search_recurring_expenses' => 'Search Recurring Expenses', - 'last_sent_date' => 'Last Sent Date', - 'include_drafts' => 'Include Drafts', - 'include_drafts_help' => 'Include draft records in reports', - 'is_invoiced' => 'Is Invoiced', - 'change_plan' => 'Change Plan', - 'persist_data' => 'Persist Data', - 'customer_count' => 'Customer Count', - 'verify_customers' => 'Verify Customers', - 'google_analytics_tracking_id' => 'Google Analytics Tracking ID', - 'decimal_comma' => 'Decimal Comma', - 'use_comma_as_decimal_place' => 'Use comma as decimal place in forms', - 'select_method' => 'Select Method', - 'select_platform' => 'Select Platform', - 'use_web_app_to_connect_gmail' => 'Please use the web app to connect to Gmail', - 'expense_tax_help' => 'Item tax rates are disabled', - 'enable_markdown' => 'Enable Markdown', - 'enable_markdown_help' => 'Convert markdown to HTML on the PDF', - 'add_second_contact' => 'Add Second Contact', - 'previous_page' => 'Previous Page', - 'next_page' => 'Next Page', - 'export_colors' => 'Export Colors', - 'import_colors' => 'Import Colors', - 'clear_all' => 'Clear All', - 'contrast' => 'Contrast', - 'custom_colors' => 'Custom Colors', - 'colors' => 'Colors', - 'sidebar_active_background_color' => 'Sidebar Active Background Color', - 'sidebar_active_font_color' => 'Sidebar Active Font Color', - 'sidebar_inactive_background_color' => 'Sidebar Inactive Background Color', - 'sidebar_inactive_font_color' => 'Sidebar Inactive Font Color', - 'table_alternate_row_background_color' => 'Table Alternate Row Background Color', - 'invoice_header_background_color' => 'Invoice Header Background Color', - 'invoice_header_font_color' => 'Invoice Header Font Color', - 'review_app' => 'Review App', - 'check_status' => 'Check Status', - 'free_trial' => 'Free Trial', - 'free_trial_help' => 'All accounts receive a two week trial of the Pro plan, once the trial ends your account will automatically change to the free plan.', - 'free_trial_ends_in_days' => 'The Pro plan trial ends in :count days, click to upgrade.', - 'free_trial_ends_today' => 'Today is the last day of the Pro plan trial, click to upgrade.', - 'change_email' => 'Change Email', - 'client_portal_domain_hint' => 'Optionally configure a separate client portal domain', - 'tasks_shown_in_portal' => 'Tasks Shown in Portal', - 'uninvoiced' => 'Uninvoiced', - 'subdomain_guide' => 'The subdomain is used in the client portal to personalize links to match your brand. ie, https://your-brand.invoicing.co', - 'send_time' => 'Send Time', - 'import_settings' => 'Import Settings', - 'json_file_missing' => 'Please provide the JSON file', - 'json_option_missing' => 'Please select to import the settings and/or data', + 'for_best_performance' => 'Per le migliori prestazioni scarica l'app :app', + 'bulk_email_invoice' => 'E-mail fattura', + 'bulk_email_quote' => 'Preventivo via e-mail', + 'bulk_email_credit' => 'E-mail di credito', + 'removed_recurring_expense' => 'Spese ricorrenti rimosse con successo', + 'search_recurring_expense' => 'Cerca spese ricorrenti', + 'search_recurring_expenses' => 'Cerca spese ricorrenti', + 'last_sent_date' => 'Data dell'ultimo invio', + 'include_drafts' => 'Includi bozze', + 'include_drafts_help' => 'Includere bozze di record nei report', + 'is_invoiced' => 'Viene fatturato', + 'change_plan' => 'Cambia piano', + 'persist_data' => 'Dati persistenti', + 'customer_count' => 'Conteggio clienti', + 'verify_customers' => 'Verifica i clienti', + 'google_analytics_tracking_id' => 'ID di monitoraggio di Google Analytics', + 'decimal_comma' => 'Virgola decimale', + 'use_comma_as_decimal_place' => 'Usa la virgola come cifra decimale nei moduli', + 'select_method' => 'Seleziona Metodo', + 'select_platform' => 'Seleziona Piattaforma', + 'use_web_app_to_connect_gmail' => 'Utilizza l'app Web per connetterti a Gmail', + 'expense_tax_help' => 'Le aliquote fiscali sugli articoli sono disattivate', + 'enable_markdown' => 'Abilita Ribasso', + 'enable_markdown_help' => 'Converti markdown in HTML sul PDF', + 'add_second_contact' => 'Aggiungi secondo contatto', + 'previous_page' => 'Pagina precedente', + 'next_page' => 'Pagina successiva', + 'export_colors' => 'Esporta colori', + 'import_colors' => 'Importa colori', + 'clear_all' => 'Cancella tutto', + 'contrast' => 'Contrasto', + 'custom_colors' => 'Colori personalizzati', + 'colors' => 'Colori', + 'sidebar_active_background_color' => 'Colore di sfondo attivo della barra laterale', + 'sidebar_active_font_color' => 'Colore carattere attivo barra laterale', + 'sidebar_inactive_background_color' => 'Colore di sfondo inattivo della barra laterale', + 'sidebar_inactive_font_color' => 'Colore del carattere inattivo della barra laterale', + 'table_alternate_row_background_color' => 'Colore di sfondo della riga alternativa della tabella', + 'invoice_header_background_color' => 'Colore di sfondo dell'intestazione della fattura', + 'invoice_header_font_color' => 'Colore carattere intestazione fattura', + 'review_app' => 'Recensione dell'app', + 'check_status' => 'Controllare lo stato', + 'free_trial' => 'Prova gratuita', + 'free_trial_help' => 'Tutti gli account ricevono una prova di due settimane del piano Pro, una volta terminata la prova il tuo account passerà automaticamente al piano gratuito.', + 'free_trial_ends_in_days' => 'Il periodo di prova del piano Pro termina tra :count giorni, fai clic per aggiornare.', + 'free_trial_ends_today' => 'Oggi è l'ultimo giorno di prova del piano Pro, fai clic per eseguire l'upgrade.', + 'change_email' => 'Cambia email', + 'client_portal_domain_hint' => 'Configurare facoltativamente un dominio del portale client separato', + 'tasks_shown_in_portal' => 'Compiti mostrati nel portale', + 'uninvoiced' => 'Non fatturato', + 'subdomain_guide' => 'Il sottodominio viene utilizzato nel portale clienti per personalizzare i collegamenti in modo che corrispondano al tuo marchio. ad esempio, https://your-brand.invoicing.co', + 'send_time' => 'Invia ora', + 'import_settings' => 'Impostazioni di importazione', + 'json_file_missing' => 'Fornisci il file JSON', + 'json_option_missing' => 'Selezionare per importare le impostazioni e/oi dati', 'json' => 'JSON', - 'no_payment_types_enabled' => 'No payment types enabled', - 'wait_for_data' => 'Please wait for the data to finish loading', - 'net_total' => 'Net Total', - 'has_taxes' => 'Has Taxes', - 'import_customers' => 'Import Customers', - 'imported_customers' => 'Successfully started importing customers', - 'login_success' => 'Successful Login', - 'login_failure' => 'Failed Login', - 'exported_data' => 'Once the file is ready you"ll receive an email with a download link', - 'include_deleted_clients' => 'Include Deleted Clients', - 'include_deleted_clients_help' => 'Load records belonging to deleted clients', - 'step_1_sign_in' => 'Step 1: Sign In', - 'step_2_authorize' => 'Step 2: Authorize', + 'no_payment_types_enabled' => 'Nessun tipo di pagamento abilitato', + 'wait_for_data' => 'Attendere il completamento del caricamento dei dati', + 'net_total' => 'Totale netto', + 'has_taxes' => 'Ha le tasse', + 'import_customers' => 'Importa clienti', + 'imported_customers' => 'Importazione di clienti avviata con successo', + 'login_success' => 'Login effettuato con successo', + 'login_failure' => 'Accesso non riuscito', + 'exported_data' => 'Una volta che il file è pronto, riceverai un'e-mail con un link per il download', + 'include_deleted_clients' => 'Includi clienti eliminati', + 'include_deleted_clients_help' => 'Carica i record appartenenti ai client eliminati', + 'step_1_sign_in' => 'Passaggio 1: Accedi', + 'step_2_authorize' => 'Passaggio 2: autorizzare', 'account_id' => 'Account ID', - 'migration_not_yet_completed' => 'The migration has not yet completed', - 'show_task_end_date' => 'Show Task End Date', - 'show_task_end_date_help' => 'Enable specifying the task end date', - 'gateway_setup' => 'Gateway Setup', - 'preview_sidebar' => 'Preview Sidebar', - 'years_data_shown' => 'Years Data Shown', - 'ended_all_sessions' => 'Successfully ended all sessions', - 'end_all_sessions' => 'End All Sessions', - 'count_session' => '1 Session', - 'count_sessions' => ':count Sessions', - 'invoice_created' => 'Invoice Created', - 'quote_created' => 'Quote Created', - 'credit_created' => 'Credit Created', - 'enterprise' => 'Enterprise', - 'invoice_item' => 'Invoice Item', - 'quote_item' => 'Quote Item', - 'order' => 'Order', - 'search_kanban' => 'Search Kanban', - 'search_kanbans' => 'Search Kanban', - 'move_top' => 'Move Top', - 'move_up' => 'Move Up', - 'move_down' => 'Move Down', - 'move_bottom' => 'Move Bottom', - 'body_variable_missing' => 'Error: the custom email must include a :body variable', - 'add_body_variable_message' => 'Make sure to include a :body variable', - 'view_date_formats' => 'View Date Formats', - 'is_viewed' => 'Is Viewed', - 'letter' => 'Letter', - 'legal' => 'Legal', - 'page_layout' => 'Page Layout', - 'portrait' => 'Portrait', - 'landscape' => 'Landscape', - 'owner_upgrade_to_paid_plan' => 'The account owner can upgrade to a paid plan to enable the advanced advanced settings', - 'upgrade_to_paid_plan' => 'Upgrade to a paid plan to enable the advanced settings', - 'invoice_payment_terms' => 'Invoice Payment Terms', - 'quote_valid_until' => 'Quote Valid Until', - 'no_headers' => 'No Headers', - 'add_header' => 'Add Header', - 'remove_header' => 'Remove Header', - 'return_url' => 'Return URL', - 'rest_method' => 'REST Method', - 'header_key' => 'Header Key', - 'header_value' => 'Header Value', - 'recurring_products' => 'Recurring Products', - 'promo_discount' => 'Promo Discount', - 'allow_cancellation' => 'Allow Cancellation', - 'per_seat_enabled' => 'Per Seat Enabled', - 'max_seats_limit' => 'Max Seats Limit', - 'trial_enabled' => 'Trial Enabled', - 'trial_duration' => 'Trial Duration', - 'allow_query_overrides' => 'Allow Query Overrides', - 'allow_plan_changes' => 'Allow Plan Changes', - 'plan_map' => 'Plan Map', - 'refund_period' => 'Refund Period', - 'webhook_configuration' => 'Webhook Configuration', - 'purchase_page' => 'Purchase Page', - 'email_bounced' => 'Email Bounced', - 'email_spam_complaint' => 'Spam Complaint', - 'email_delivery' => 'Email Delivery', - 'webhook_response' => 'Webhook Response', - 'pdf_response' => 'PDF Response', - 'authentication_failure' => 'Authentication Failure', - 'pdf_failed' => 'PDF Failed', - 'pdf_success' => 'PDF Success', - 'modified' => 'Modified', - 'html_mode' => 'HTML Mode', - 'html_mode_help' => 'Preview updates faster but is less accurate', - 'status_color_theme' => 'Status Color Theme', - 'load_color_theme' => 'Load Color Theme', - 'lang_Estonian' => 'Estonian', - 'marked_credit_as_paid' => 'Successfully marked credit as paid', - 'marked_credits_as_paid' => 'Successfully marked credits as paid', - 'wait_for_loading' => 'Data loading - please wait for it to complete', - 'wait_for_saving' => 'Data saving - please wait for it to complete', - 'html_preview_warning' => 'Note: changes made here are only previewed, they must be applied in the tabs above to be saved', - 'remaining' => 'Remaining', - 'invoice_paid' => 'Invoice Paid', - 'activity_120' => ':user created recurring expense :recurring_expense', - 'activity_121' => ':user updated recurring expense :recurring_expense', - 'activity_122' => ':user archived recurring expense :recurring_expense', - 'activity_123' => ':user deleted recurring expense :recurring_expense', - 'activity_124' => ':user restored recurring expense :recurring_expense', + 'migration_not_yet_completed' => 'La migrazione non è ancora stata completata', + 'show_task_end_date' => 'Mostra data di fine attività', + 'show_task_end_date_help' => 'Abilita la specifica della data di fine dell'attività', + 'gateway_setup' => 'Configurazione del gateway', + 'preview_sidebar' => 'Anteprima barra laterale', + 'years_data_shown' => 'Anni dati mostrati', + 'ended_all_sessions' => 'Tutte le sessioni sono state concluse con successo', + 'end_all_sessions' => 'Termina tutte le sessioni', + 'count_session' => '1 sessione', + 'count_sessions' => ':count Sessioni', + 'invoice_created' => 'Fattura creata', + 'quote_created' => 'Preventivo creato', + 'credit_created' => 'Credito creato', + 'enterprise' => 'Impresa', + 'invoice_item' => 'Articolo fattura', + 'quote_item' => 'Articolo preventivo', + 'order' => 'Ordine', + 'search_kanban' => 'Cerca Kanban', + 'search_kanbans' => 'Cerca Kanban', + 'move_top' => 'Sposta in alto', + 'move_up' => 'Andare avanti', + 'move_down' => 'Abbassati', + 'move_bottom' => 'Sposta in basso', + 'body_variable_missing' => 'Errore: l'email personalizzata deve includere una variabile :body', + 'add_body_variable_message' => 'Assicurati di includere una variabile :body', + 'view_date_formats' => 'Visualizza i formati di data', + 'is_viewed' => 'Viene visualizzato', + 'letter' => 'Lettera', + 'legal' => 'Legale', + 'page_layout' => 'Layout di pagina', + 'portrait' => 'Ritratto', + 'landscape' => 'Paesaggio', + 'owner_upgrade_to_paid_plan' => 'Il proprietario dell'account può passare a un piano a pagamento per abilitare le impostazioni avanzate avanzate', + 'upgrade_to_paid_plan' => 'Passa a un piano a pagamento per abilitare le impostazioni avanzate', + 'invoice_payment_terms' => 'Termini di pagamento della fattura', + 'quote_valid_until' => 'Preventivo valido fino al', + 'no_headers' => 'Niente intestazioni', + 'add_header' => 'Aggiungi intestazione', + 'remove_header' => 'Rimuovi intestazione', + 'return_url' => 'URL di ritorno', + 'rest_method' => 'Metodo RIPOSO', + 'header_key' => 'Chiave di intestazione', + 'header_value' => 'Valore dell'intestazione', + 'recurring_products' => 'Prodotti ricorrenti', + 'promo_discount' => 'Sconto promozionale', + 'allow_cancellation' => 'Consenti cancellazione', + 'per_seat_enabled' => 'Per posto abilitato', + 'max_seats_limit' => 'Limite massimo di posti', + 'trial_enabled' => 'Prova abilitata', + 'trial_duration' => 'Durata della prova', + 'allow_query_overrides' => 'Consenti sostituzioni query', + 'allow_plan_changes' => 'Consenti modifiche al piano', + 'plan_map' => 'Piano Mappa', + 'refund_period' => 'Periodo di rimborso', + 'webhook_configuration' => 'Configurazione webhook', + 'purchase_page' => 'Pagina di acquisto', + 'email_bounced' => 'Email respinta', + 'email_spam_complaint' => 'Reclamo per spam', + 'email_delivery' => 'Consegna e-mail', + 'webhook_response' => 'Risposta webhook', + 'pdf_response' => 'Risposta PDF', + 'authentication_failure' => 'Autenticazione fallita', + 'pdf_failed' => 'PDF non riuscito', + 'pdf_success' => 'PDF Successo', + 'modified' => 'Modificata', + 'html_mode' => 'Modalità HTML', + 'html_mode_help' => 'L'anteprima degli aggiornamenti è più veloce ma meno accurata', + 'status_color_theme' => 'Tema colore stato', + 'load_color_theme' => 'Carica tema colore', + 'lang_Estonian' => 'estone', + 'marked_credit_as_paid' => 'Credito contrassegnato correttamente come pagato', + 'marked_credits_as_paid' => 'Crediti contrassegnati correttamente come pagati', + 'wait_for_loading' => 'Caricamento dati - attendere il completamento', + 'wait_for_saving' => 'Salvataggio dei dati - attendere il completamento', + 'html_preview_warning' => 'Nota: le modifiche apportate qui sono solo visualizzate in anteprima, devono essere applicate nelle schede sopra per essere salvate', + 'remaining' => 'Residuo', + 'invoice_paid' => 'Fattura pagata', + 'activity_120' => ':user spesa ricorrente creata :recurring_expense', + 'activity_121' => ':user aggiornamento spese ricorrenti :recurring_expense', + 'activity_122' => ':user spesa ricorrente archiviata :recurring_expense', + 'activity_123' => ':user cancellato spesa ricorrente :recurring_expense', + 'activity_124' => ':user spesa ricorrente ripristinata :recurring_expense', 'fpx' => "FPX", - 'to_view_entity_set_password' => 'To view the :entity you need to set password.', - 'unsubscribe' => 'Unsubscribe', - 'unsubscribed' => 'Unsubscribed', - 'unsubscribed_text' => 'You have been removed from notifications for this document', - 'client_shipping_state' => 'Client Shipping State', - 'client_shipping_city' => 'Client Shipping City', - 'client_shipping_postal_code' => 'Client Shipping Postal Code', - 'client_shipping_country' => 'Client Shipping Country', - 'load_pdf' => 'Load PDF', - 'start_free_trial' => 'Start Free Trial', - 'start_free_trial_message' => 'Start your FREE 14 day trial of the pro plan', - 'due_on_receipt' => 'Due on Receipt', - 'is_paid' => 'Is Paid', - 'age_group_paid' => 'Paid', + 'to_view_entity_set_password' => 'Per visualizzare :entity è necessario impostare una password.', + 'unsubscribe' => 'Annulla l'iscrizione', + 'unsubscribed' => 'Iscrizione annullata', + 'unsubscribed_text' => 'Sei stato rimosso dalle notifiche per questo documento', + 'client_shipping_state' => 'Stato di spedizione del cliente', + 'client_shipping_city' => 'Città di spedizione del cliente', + 'client_shipping_postal_code' => 'Codice postale di spedizione del cliente', + 'client_shipping_country' => 'Paese di spedizione del cliente', + 'load_pdf' => 'Carica PDF', + 'start_free_trial' => 'Inizia la prova gratuita', + 'start_free_trial_message' => 'Inizia la tua prova GRATUITA di 14 giorni del piano pro', + 'due_on_receipt' => 'Dovuto al ricevimento', + 'is_paid' => 'È pagato', + 'age_group_paid' => 'Pagato', 'id' => 'Id', - 'convert_to' => 'Convert To', - 'client_currency' => 'Client Currency', - 'company_currency' => 'Company Currency', - 'custom_emails_disabled_help' => 'To prevent spam we require upgrading to a paid account to customize the email', - 'upgrade_to_add_company' => 'Upgrade your plan to add companies', - 'file_saved_in_downloads_folder' => 'The file has been saved in the downloads folder', - 'small' => 'Small', - 'quotes_backup_subject' => 'Your quotes are ready for download', - 'credits_backup_subject' => 'Your credits are ready for download', - 'document_download_subject' => 'Your documents are ready for download', - 'reminder_message' => 'Reminder for invoice :number for :balance', - 'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', - 'gmail_credentials_invalid_body' => 'Your GMail credentials are not correct, please log into the administrator portal and navigate to Settings > User Details and disconnect and reconnect your GMail account. We will send you this notification daily until this issue is resolved', - 'total_columns' => 'Total Fields', - 'view_task' => 'View Task', - 'cancel_invoice' => 'Cancel', - 'changed_status' => 'Successfully changed task status', - 'change_status' => 'Change Status', - 'enable_touch_events' => 'Enable Touch Events', - 'enable_touch_events_help' => 'Support drag events to scroll', - 'after_saving' => 'After Saving', - 'view_record' => 'View Record', - 'enable_email_markdown' => 'Enable Email Markdown', - 'enable_email_markdown_help' => 'Use visual markdown editor for emails', - 'enable_pdf_markdown' => 'Enable PDF Markdown', - 'json_help' => 'Note: JSON files generated by the v4 app are not supported', - 'release_notes' => 'Release Notes', - 'upgrade_to_view_reports' => 'Upgrade your plan to view reports', - 'started_tasks' => 'Successfully started :value tasks', - 'stopped_tasks' => 'Successfully stopped :value tasks', - 'approved_quote' => 'Successfully apporved quote', - 'approved_quotes' => 'Successfully :value approved quotes', - 'client_website' => 'Client Website', - 'invalid_time' => 'Invalid Time', - 'signed_in_as' => 'Signed in as', - 'total_results' => 'Total results', - 'restore_company_gateway' => 'Restore gateway', - 'archive_company_gateway' => 'Archive gateway', - 'delete_company_gateway' => 'Delete gateway', - 'exchange_currency' => 'Exchange currency', - 'tax_amount1' => 'Tax Amount 1', - 'tax_amount2' => 'Tax Amount 2', - 'tax_amount3' => 'Tax Amount 3', - 'update_project' => 'Update Project', - 'auto_archive_invoice_cancelled' => 'Auto Archive Cancelled Invoice', - 'auto_archive_invoice_cancelled_help' => 'Automatically archive invoices when cancelled', - 'no_invoices_found' => 'No invoices found', - 'created_record' => 'Successfully created record', - 'auto_archive_paid_invoices' => 'Auto Archive Paid', - 'auto_archive_paid_invoices_help' => 'Automatically archive invoices when they are paid.', - 'auto_archive_cancelled_invoices' => 'Auto Archive Cancelled', - 'auto_archive_cancelled_invoices_help' => 'Automatically archive invoices when cancelled.', - 'alternate_pdf_viewer' => 'Alternate PDF Viewer', - 'alternate_pdf_viewer_help' => 'Improve scrolling over the PDF preview [BETA]', - 'currency_cayman_island_dollar' => 'Cayman Island Dollar', - 'download_report_description' => 'Please see attached file to check your report.', - 'left' => 'Left', - 'right' => 'Right', - 'center' => 'Center', - 'page_numbering' => 'Page Numbering', - 'page_numbering_alignment' => 'Page Numbering Alignment', - 'invoice_sent_notification_label' => 'Invoice Sent', - 'show_product_description' => 'Show Product Description', - 'show_product_description_help' => 'Include the description in the product dropdown', - 'invoice_items' => 'Invoice Items', - 'quote_items' => 'Quote Items', - 'profitloss' => 'Profit and Loss', - 'import_format' => 'Import Format', - 'export_format' => 'Export Format', - 'export_type' => 'Export Type', - 'stop_on_unpaid' => 'Stop On Unpaid', - 'stop_on_unpaid_help' => 'Stop creating recurring invoices if the last invoice is unpaid.', - 'use_quote_terms' => 'Use Quote Terms', - 'use_quote_terms_help' => 'When converting a quote to an invoice', - 'add_country' => 'Add Country', - 'enable_tooltips' => 'Enable Tooltips', - 'enable_tooltips_help' => 'Show tooltips when hovering the mouse', - 'multiple_client_error' => 'Error: records belong to more than one client', - 'login_label' => 'Login to an existing account', - 'purchase_order' => 'Purchase Order', - 'purchase_order_number' => 'Purchase Order Number', - 'purchase_order_number_short' => 'Purchase Order #', - 'inventory_notification_subject' => 'Inventory threshold notification for product: :product', - 'inventory_notification_body' => 'Threshold of :amount has been reach for product: :product', - 'activity_130' => ':user created purchase order :purchase_order', - 'activity_131' => ':user updated purchase order :purchase_order', - 'activity_132' => ':user archived purchase order :purchase_order', - 'activity_133' => ':user deleted purchase order :purchase_order', - 'activity_134' => ':user restored purchase order :purchase_order', - 'activity_135' => ':user emailed purchase order :purchase_order', - 'activity_136' => ':contact viewed purchase order :purchase_order', - 'purchase_order_subject' => 'New Purchase Order :number from :account', - 'purchase_order_message' => 'To view your purchase order for :amount, click the link below.', - 'view_purchase_order' => 'View Purchase Order', - 'purchase_orders_backup_subject' => 'Your purchase orders are ready for download', - '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.', - 'purchase_order_date' => 'Purchase Order Date', - 'purchase_orders' => 'Purchase Orders', - 'purchase_order_number_placeholder' => 'Purchase Order # :purchase_order', - 'accepted' => 'Accepted', - 'activity_137' => ':contact accepted purchase order :purchase_order', - 'vendor_information' => 'Vendor Information', - 'notification_purchase_order_accepted_subject' => 'Purchase Order :purchase_order was accepted by :vendor', - 'notification_purchase_order_accepted' => 'The following vendor :vendor accepted Purchase Order :purchase_order for :amount.', - 'amount_received' => 'Amount received', - 'purchase_order_already_expensed' => 'Already converted to an expense.', - 'convert_to_expense' => 'Convert to Expense', - 'add_to_inventory' => 'Add to Inventory', - 'added_purchase_order_to_inventory' => 'Successfully added purchase order to inventory', - 'added_purchase_orders_to_inventory' => 'Successfully added purchase orders to inventory', - 'client_document_upload' => 'Client Document Upload', - 'vendor_document_upload' => 'Vendor Document Upload', - 'vendor_document_upload_help' => 'Enable vendors to upload documents', - 'are_you_enjoying_the_app' => 'Are you enjoying the app?', - 'yes_its_great' => 'Yes, it"s great!', - 'not_so_much' => 'Not so much', - 'would_you_rate_it' => 'Great to hear! Would you like to rate it?', - 'would_you_tell_us_more' => 'Sorry to hear it! Would you like to tell us more?', - 'sure_happy_to' => 'Sure, happy to', - 'no_not_now' => 'No, not now', - 'add' => 'Add', - 'last_sent_template' => 'Last Sent Template', - 'enable_flexible_search' => 'Enable Flexible Search', - 'enable_flexible_search_help' => 'Match non-contiguous characters, ie. "ct" matches "cat"', - 'vendor_details' => 'Vendor Details', - 'purchase_order_details' => 'Purchase Order Details', + 'convert_to' => 'Convertire in', + 'client_currency' => 'Valuta del cliente', + 'company_currency' => 'Valuta della società', + 'custom_emails_disabled_help' => 'Per prevenire lo spam, è necessario eseguire l'upgrade a un account a pagamento per personalizzare l'e-mail', + 'upgrade_to_add_company' => 'Aggiorna il tuo piano per aggiungere aziende', + 'file_saved_in_downloads_folder' => 'Il file è stato salvato nella cartella dei download', + 'small' => 'Piccolo', + 'quotes_backup_subject' => 'I tuoi preventivi sono pronti per il download', + 'credits_backup_subject' => 'I tuoi crediti sono pronti per il download', + 'document_download_subject' => 'I tuoi documenti sono pronti per il download', + 'reminder_message' => 'Sollecito fattura :number per :balance', + 'gmail_credentials_invalid_subject' => 'Invia con credenziali GMail non valide', + 'gmail_credentials_invalid_body' => 'Le tue credenziali GMail non sono corrette, accedi al portale dell'amministratore e vai su Impostazioni > Dettagli utente e disconnetti e riconnetti il tuo account GMail. Ti invieremo questa notifica ogni giorno fino alla risoluzione del problema', + 'total_columns' => 'Campi totali', + 'view_task' => 'Visualizza attività', + 'cancel_invoice' => 'Annulla', + 'changed_status' => 'Stato dell'attività modificato con successo', + 'change_status' => 'Cambiare stato', + 'enable_touch_events' => 'Abilita eventi di tocco', + 'enable_touch_events_help' => 'Supporta gli eventi di trascinamento per scorrere', + 'after_saving' => 'Dopo aver salvato', + 'view_record' => 'Visualizza registro', + 'enable_email_markdown' => 'Abilita Markdown email', + 'enable_email_markdown_help' => 'Utilizza l'editor di markdown visivo per le e-mail', + 'enable_pdf_markdown' => 'Abilita Markdown PDF', + 'json_help' => 'Nota: i file JSON generati dall'app v4 non sono supportati', + 'release_notes' => 'Note di rilascio', + 'upgrade_to_view_reports' => 'Aggiorna il tuo piano per visualizzare i rapporti', + 'started_tasks' => 'Attività :value avviate correttamente', + 'stopped_tasks' => 'Attività :value interrotte con successo', + 'approved_quote' => 'Preventivo approvato con successo', + 'approved_quotes' => 'Citazioni approvate :value con successo', + 'client_website' => 'Sito web del cliente', + 'invalid_time' => 'Ora non valida', + 'signed_in_as' => 'Effettuato l'accesso come', + 'total_results' => 'Risultati totali', + 'restore_company_gateway' => 'Ripristina gateway', + 'archive_company_gateway' => 'Porta d'archivio', + 'delete_company_gateway' => 'Elimina gateway', + 'exchange_currency' => 'Valuta di cambio', + 'tax_amount1' => 'Importo imposta 1', + 'tax_amount2' => 'Importo imposta 2', + 'tax_amount3' => 'Importo fiscale 3', + 'update_project' => 'Aggiorna progetto', + 'auto_archive_invoice_cancelled' => 'Archiviazione automatica fattura annullata', + 'auto_archive_invoice_cancelled_help' => 'Archivia automaticamente le fatture quando vengono annullate', + 'no_invoices_found' => 'Nessuna fattura trovata', + 'created_record' => 'Record creato con successo', + 'auto_archive_paid_invoices' => 'Archiviazione automatica a pagamento', + 'auto_archive_paid_invoices_help' => 'Archivia automaticamente le fatture quando vengono pagate.', + 'auto_archive_cancelled_invoices' => 'Archiviazione automatica annullata', + 'auto_archive_cancelled_invoices_help' => 'Archivia automaticamente le fatture quando vengono annullate.', + 'alternate_pdf_viewer' => 'Visualizzatore PDF alternativo', + 'alternate_pdf_viewer_help' => 'Miglioramento dello scorrimento sull'anteprima PDF [BETA]', + 'currency_cayman_island_dollar' => 'Dollaro delle Isole Cayman', + 'download_report_description' => 'Si prega di consultare il file allegato per verificare il rapporto.', + 'left' => 'Sinistra', + 'right' => 'Giusto', + 'center' => 'Centro', + 'page_numbering' => 'Numerazione pagine', + 'page_numbering_alignment' => 'Allineamento della numerazione delle pagine', + 'invoice_sent_notification_label' => 'fattura inviata', + 'show_product_description' => 'Mostra la descrizione del prodotto', + 'show_product_description_help' => 'Includi la descrizione nel menu a discesa del prodotto', + 'invoice_items' => 'Elementi fattura', + 'quote_items' => 'Quota articoli', + 'profitloss' => 'Profitti e perdite', + 'import_format' => 'Formato di importazione', + 'export_format' => 'Formato di esportazione', + 'export_type' => 'Tipo di esportazione', + 'stop_on_unpaid' => 'Stop su non pagato', + 'stop_on_unpaid_help' => 'Interrompi la creazione di fatture ricorrenti se l'ultima fattura non è stata pagata.', + 'use_quote_terms' => 'Usa i termini del preventivo', + 'use_quote_terms_help' => 'Quando si converte un preventivo in una fattura', + 'add_country' => 'Aggiungi Paese', + 'enable_tooltips' => 'Abilita suggerimenti', + 'enable_tooltips_help' => 'Mostra i suggerimenti al passaggio del mouse', + 'multiple_client_error' => 'Errore: i record appartengono a più di un client', + 'login_label' => 'Connessione a un account esistente', + 'purchase_order' => 'Ordinazione d'acquisto', + 'purchase_order_number' => 'Numero dell'ordine d'acquisto', + 'purchase_order_number_short' => 'Ordinazione d'acquisto #', + 'inventory_notification_subject' => 'Notifica della soglia di inventario per il prodotto: :product', + 'inventory_notification_body' => 'La soglia di :amount è stata raggiunta per il prodotto: :product', + 'activity_130' => ':user ordine d'acquisto creato :purchase_order', + 'activity_131' => ':user ordine di acquisto aggiornato :purchase_order', + 'activity_132' => ':user ordine di acquisto archiviato :purchase_order', + 'activity_133' => ':user ordine di acquisto cancellato :purchase_order', + 'activity_134' => ':user ordine di acquisto ripristinato :purchase_order', + 'activity_135' => ':user ordine di acquisto inviato via email :purchase_order', + 'activity_136' => ':contact ha visualizzato l'ordine di acquisto :purchase_order', + 'purchase_order_subject' => 'Nuovo ordine d'acquisto :number da :account', + 'purchase_order_message' => 'Per visualizzare il tuo ordine di acquisto per :amount, fai clic sul link sottostante.', + 'view_purchase_order' => 'Visualizza l'ordine di acquisto', + 'purchase_orders_backup_subject' => 'I tuoi ordini di acquisto sono pronti per il download', + 'notification_purchase_order_viewed_subject' => 'L'ordine di acquisto :invoice è stato visualizzato da :client', + 'notification_purchase_order_viewed' => 'Il seguente fornitore :client ha visualizzato l'ordine di acquisto :invoice per :amount.', + 'purchase_order_date' => 'Data dell'ordine di acquisto', + 'purchase_orders' => 'Ordini d'acquisto', + 'purchase_order_number_placeholder' => 'Ordine di acquisto n. :purchase_order', + 'accepted' => 'Accettato', + 'activity_137' => ':contact ordine di acquisto accettato :purchase_order', + 'vendor_information' => 'Informazioni sul venditore', + 'notification_purchase_order_accepted_subject' => 'L'ordine di acquisto :purchase_order è stato accettato da :vendor', + 'notification_purchase_order_accepted' => 'Il seguente fornitore :vendor ha accettato l'ordine di acquisto :purchase_order per :amount.', + 'amount_received' => 'Quantità ricevuta', + 'purchase_order_already_expensed' => 'Già convertito in una spesa.', + 'convert_to_expense' => 'Converti in spesa', + 'add_to_inventory' => 'Aggiungi all'inventario', + 'added_purchase_order_to_inventory' => 'Ordine d'acquisto aggiunto correttamente all'inventario', + 'added_purchase_orders_to_inventory' => 'Ordini di acquisto aggiunti correttamente all'inventario', + 'client_document_upload' => 'Caricamento documento cliente', + 'vendor_document_upload' => 'Caricamento documento fornitore', + 'vendor_document_upload_help' => 'Consenti ai fornitori di caricare documenti', + 'are_you_enjoying_the_app' => 'Ti piace l'app?', + 'yes_its_great' => 'Si, è fantastico!', + 'not_so_much' => 'Non così tanto', + 'would_you_rate_it' => 'Buono a sapersi! Vuoi valutarlo?', + 'would_you_tell_us_more' => 'Mi dispiace sentirlo! Vuoi dirci di più?', + 'sure_happy_to' => 'Certo, felice di farlo', + 'no_not_now' => 'No non ora', + 'add' => 'Aggiungere', + 'last_sent_template' => 'Ultimo modello inviato', + 'enable_flexible_search' => 'Abilita la ricerca flessibile', + 'enable_flexible_search_help' => 'Corrisponde a caratteri non contigui, ad es. "ct" corrisponde a "gatto"', + 'vendor_details' => 'Dettagli del venditore', + 'purchase_order_details' => 'Dettagli dell'ordine di acquisto', 'qr_iban' => 'QR IBAN', - 'besr_id' => 'BESR ID', - 'clone_to_purchase_order' => 'Clone to PO', - 'vendor_email_not_set' => 'Vendor does not have an email address set', - 'bulk_send_email' => 'Send Email', - 'marked_purchase_order_as_sent' => 'Successfully marked purchase order as sent', - 'marked_purchase_orders_as_sent' => 'Successfully marked purchase orders as sent', - 'accepted_purchase_order' => 'Successfully accepted purchase order', - 'accepted_purchase_orders' => 'Successfully accepted purchase orders', - 'cancelled_purchase_order' => 'Successfully cancelled purchase order', - 'cancelled_purchase_orders' => 'Successfully cancelled purchase orders', - 'please_select_a_vendor' => 'Please select a vendor', - 'purchase_order_total' => 'Purchase Order Total', - 'email_purchase_order' => 'Email Purchase Order', - 'bulk_email_purchase_order' => 'Email Purchase Order', - 'disconnected_email' => 'Successfully disconnected email', - 'connect_email' => 'Connect Email', - 'disconnect_email' => 'Disconnect Email', - 'use_web_app_to_connect_microsoft' => 'Please use the web app to connect to Microsoft', - 'email_provider' => 'Email Provider', - 'connect_microsoft' => 'Connect Microsoft', - 'disconnect_microsoft' => 'Disconnect Microsoft', - 'connected_microsoft' => 'Successfully connected Microsoft', - 'disconnected_microsoft' => 'Successfully disconnected Microsoft', - 'microsoft_sign_in' => 'Login with Microsoft', - 'microsoft_sign_up' => 'Sign up with Microsoft', - 'emailed_purchase_order' => 'Successfully queued purchase order to be sent', - 'emailed_purchase_orders' => 'Successfully queued purchase orders to be sent', - 'enable_react_app' => 'Change to the React web app', - 'purchase_order_design' => 'Purchase Order Design', - 'purchase_order_terms' => 'Purchase Order Terms', - 'purchase_order_footer' => 'Purchase Order Footer', - 'require_purchase_order_signature' => 'Purchase Order Signature', - 'require_purchase_order_signature_help' => 'Require vendor to provide their signature.', - 'new_purchase_order' => 'New Purchase Order', - 'edit_purchase_order' => 'Edit Purchase Order', - 'created_purchase_order' => 'Successfully created purchase order', - 'updated_purchase_order' => 'Successfully updated purchase order', - 'archived_purchase_order' => 'Successfully archived purchase order', - 'deleted_purchase_order' => 'Successfully deleted purchase order', - 'removed_purchase_order' => 'Successfully removed purchase order', - 'restored_purchase_order' => 'Successfully restored purchase order', - 'search_purchase_order' => 'Search Purchase Order', - 'search_purchase_orders' => 'Search Purchase Orders', - 'login_url' => 'Login URL', - 'enable_applying_payments' => 'Enable Applying Payments', - 'enable_applying_payments_help' => 'Support separately creating and applying payments', - 'stock_quantity' => 'Stock Quantity', - 'notification_threshold' => 'Notification Threshold', - 'track_inventory' => 'Track Inventory', - 'track_inventory_help' => 'Display a product stock field and update when invoices are sent', - 'stock_notifications' => 'Stock Notifications', - 'stock_notifications_help' => 'Send an email when the stock reaches the threshold', - 'vat' => 'VAT', - 'view_map' => 'View Map', - 'set_default_design' => 'Set Default Design', - 'add_gateway_help_message' => 'Add a payment gateway (ie. Stripe, WePay or PayPal) to accept online payments', - 'purchase_order_issued_to' => 'Purchase Order issued to', - 'archive_task_status' => 'Archive Task Status', - 'delete_task_status' => 'Delete Task Status', - 'restore_task_status' => 'Restore Task Status', - 'lang_Hebrew' => 'Hebrew', - 'price_change_accepted' => 'Price change accepted', - 'price_change_failed' => 'Price change failed with code', - 'restore_purchases' => 'Restore Purchases', - 'activate' => 'Activate', - 'connect_apple' => 'Connect Apple', - 'disconnect_apple' => 'Disconnect Apple', - 'disconnected_apple' => 'Successfully disconnected Apple', - 'send_now' => 'Send Now', - 'received' => 'Received', - 'converted_to_expense' => 'Successfully converted to expense', - 'converted_to_expenses' => 'Successfully converted to expenses', - 'entity_removed' => 'This document has been removed, please contact the vendor for further information', - 'entity_removed_title' => 'Document no longer available', - 'field' => 'Field', - 'period' => 'Period', - 'fields_per_row' => 'Fields Per Row', - 'total_active_invoices' => 'Active Invoices', - 'total_outstanding_invoices' => 'Outstanding Invoices', - 'total_completed_payments' => 'Completed Payments', - 'total_refunded_payments' => 'Refunded Payments', - 'total_active_quotes' => 'Active Quotes', - 'total_approved_quotes' => 'Approved Quotes', - 'total_unapproved_quotes' => 'Unapproved Quotes', - 'total_logged_tasks' => 'Logged Tasks', - 'total_invoiced_tasks' => 'Invoiced Tasks', - 'total_paid_tasks' => 'Paid Tasks', - 'total_logged_expenses' => 'Logged Expenses', - 'total_pending_expenses' => 'Pending Expenses', - 'total_invoiced_expenses' => 'Invoiced Expenses', - 'total_invoice_paid_expenses' => 'Invoice Paid Expenses', - 'vendor_portal' => 'Vendor Portal', - 'send_code' => 'Send Code', - 'save_to_upload_documents' => 'Save the record to upload documents', - 'expense_tax_rates' => 'Expense Tax Rates', - 'invoice_item_tax_rates' => 'Invoice Item Tax Rates', - 'verified_phone_number' => 'Successfully verified phone number', - 'code_was_sent' => 'A code has been sent via SMS', - 'resend' => 'Resend', - 'verify' => 'Verify', - 'enter_phone_number' => 'Please provide a phone number', - 'invalid_phone_number' => 'Invalid phone number', - 'verify_phone_number' => 'Verify Phone Number', - 'verify_phone_number_help' => 'Please verify your phone number to send emails', - 'merged_clients' => 'Successfully merged clients', - 'merge_into' => 'Merge Into', - 'php81_required' => 'Note: v5.5 requires PHP 8.1', - 'bulk_email_purchase_orders' => 'Email Purchase Orders', - 'bulk_email_invoices' => 'Email Invoices', - 'bulk_email_quotes' => 'Email Quotes', - 'bulk_email_credits' => 'Email Credits', - 'archive_purchase_order' => 'Archive Purchase Order', - 'restore_purchase_order' => 'Restore Purchase Order', - 'delete_purchase_order' => 'Delete Purchase Order', - 'connect' => 'Connect', - 'mark_paid_payment_email' => 'Mark Paid Payment Email', - 'convert_to_project' => 'Convert to Project', - 'client_email' => 'Client Email', - 'invoice_task_project' => 'Invoice Task Project', - 'invoice_task_project_help' => 'Add the project to the invoice line items', - 'bulk_action' => 'Bulk Action', - 'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format', - 'transaction' => 'Transaction', - 'disable_2fa' => 'Disable 2FA', - 'change_number' => 'Change Number', - 'resend_code' => 'Resend Code', - 'base_type' => 'Base Type', - 'category_type' => 'Category Type', - 'bank_transaction' => 'Transaction', - 'bulk_print' => 'Print PDF', - 'vendor_postal_code' => 'Vendor Postal Code', - 'preview_location' => 'Preview Location', - 'bottom' => 'Bottom', - 'side' => 'Side', - 'pdf_preview' => 'PDF Preview', - 'long_press_to_select' => 'Long Press to Select', - 'purchase_order_item' => 'Purchase Order Item', - 'would_you_rate_the_app' => 'Would you like to rate the app?', - 'include_deleted' => 'Include Deleted', - 'include_deleted_help' => 'Include deleted records in reports', - 'due_on' => 'Due On', - 'browser_pdf_viewer' => 'Use Browser PDF Viewer', - 'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF', - 'converted_transactions' => 'Successfully converted transactions', - 'default_category' => 'Default Category', - 'connect_accounts' => 'Connect Accounts', - 'manage_rules' => 'Manage Rules', - 'search_category' => 'Search 1 Category', - 'search_categories' => 'Search :count Categories', - 'min_amount' => 'Min Amount', - 'max_amount' => 'Max Amount', - 'converted_transaction' => 'Successfully converted transaction', - 'convert_to_payment' => 'Convert to Payment', - 'deposit' => 'Deposit', - 'withdrawal' => 'Withdrawal', - 'deposits' => 'Deposits', - 'withdrawals' => 'Withdrawals', - 'matched' => 'Matched', - 'unmatched' => 'Unmatched', - 'create_credit' => 'Create Credit', - 'transactions' => 'Transactions', - 'new_transaction' => 'New Transaction', - 'edit_transaction' => 'Edit Transaction', - 'created_transaction' => 'Successfully created transaction', - 'updated_transaction' => 'Successfully updated transaction', - 'archived_transaction' => 'Successfully archived transaction', - 'deleted_transaction' => 'Successfully deleted transaction', - 'removed_transaction' => 'Successfully removed transaction', - 'restored_transaction' => 'Successfully restored transaction', - 'search_transaction' => 'Search Transaction', - 'search_transactions' => 'Search :count Transactions', - 'deleted_bank_account' => 'Successfully deleted bank account', - 'removed_bank_account' => 'Successfully removed bank account', - 'restored_bank_account' => 'Successfully restored bank account', - 'search_bank_account' => 'Search Bank Account', - 'search_bank_accounts' => 'Search :count Bank Accounts', - 'code_was_sent_to' => 'A code has been sent via SMS to :number', - 'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup', - 'enable_applying_payments_later' => 'Enable Applying Payments Later', - 'line_item_tax_rates' => 'Line Item Tax Rates', - 'show_tasks_in_client_portal' => 'Show Tasks in Client Portal', - 'notification_quote_expired_subject' => 'Quote :invoice has expired for :client', - 'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.', - 'auto_sync' => 'Auto Sync', - 'refresh_accounts' => 'Refresh Accounts', - 'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account', - 'click_here_to_connect_bank_account' => 'Click here to connect your bank account', - 'include_tax' => 'Include tax', - 'email_template_change' => 'E-mail template body can be changed on', - 'task_update_authorization_error' => 'Insufficient permissions, or task may be locked', - 'cash_vs_accrual' => 'Accrual accounting', - 'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', - 'expense_paid_report' => 'Expensed reporting', - 'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', - 'online_payment_email_help' => 'Send an email when an online payment is made', - 'manual_payment_email_help' => 'Send an email when manually entering a payment', - 'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', - 'linked_transaction' => 'Successfully linked transaction', - 'link_payment' => 'Link Payment', - 'link_expense' => 'Link Expense', - 'lock_invoiced_tasks' => 'Lock Invoiced Tasks', - 'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced', - 'registration_required_help' => 'Require clients to register', - 'use_inventory_management' => 'Use Inventory Management', - 'use_inventory_management_help' => 'Require products to be in stock', - 'optional_products' => 'Optional Products', - 'optional_recurring_products' => 'Optional Recurring Products', - 'convert_matched' => 'Convert', - 'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed', - 'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed', - 'operator' => 'Operator', - 'value' => 'Value', - 'is' => 'Is', - 'contains' => 'Contains', - 'starts_with' => 'Starts with', - 'is_empty' => 'Is empty', - 'add_rule' => 'Add Rule', - 'match_all_rules' => 'Match All Rules', - 'match_all_rules_help' => 'All criteria needs to match for the rule to be applied', - 'auto_convert_help' => 'Automatically convert matched transactions to expenses', - 'rules' => 'Rules', - 'transaction_rule' => 'Transaction Rule', - 'transaction_rules' => 'Transaction Rules', - 'new_transaction_rule' => 'New Transaction Rule', - 'edit_transaction_rule' => 'Edit Transaction Rule', - 'created_transaction_rule' => 'Successfully created rule', - 'updated_transaction_rule' => 'Successfully updated transaction rule', - 'archived_transaction_rule' => 'Successfully archived transaction rule', - 'deleted_transaction_rule' => 'Successfully deleted transaction rule', - 'removed_transaction_rule' => 'Successfully removed transaction rule', - 'restored_transaction_rule' => 'Successfully restored transaction rule', - 'search_transaction_rule' => 'Search Transaction Rule', - 'search_transaction_rules' => 'Search Transaction Rules', - 'payment_type_Interac E-Transfer' => 'Interac E-Transfer', - 'delete_bank_account' => 'Delete Bank Account', - 'archive_transaction' => 'Archive Transaction', - 'delete_transaction' => 'Delete Transaction', - 'otp_code_message' => 'We have sent a code to :email enter this code to proceed.', - 'otp_code_subject' => 'Your one time passcode code', - 'otp_code_body' => 'Your one time passcode is :code', - 'delete_tax_rate' => 'Delete Tax Rate', - 'restore_tax_rate' => 'Restore Tax Rate', - 'company_backup_file' => 'Select company backup file', - 'company_backup_file_help' => 'Please upload the .zip file used to create this backup.', - 'backup_restore' => 'Backup | Restore', - 'export_company' => 'Create company backup', + 'besr_id' => 'ID PVBR', + 'clone_to_purchase_order' => 'Clona in PO', + 'vendor_email_not_set' => 'Il fornitore non ha un indirizzo email impostato', + 'bulk_send_email' => 'Invia una email', + 'marked_purchase_order_as_sent' => 'Ordine di acquisto contrassegnato correttamente come inviato', + 'marked_purchase_orders_as_sent' => 'Ordini di acquisto contrassegnati correttamente come inviati', + 'accepted_purchase_order' => 'Ordine di acquisto accettato con successo', + 'accepted_purchase_orders' => 'Ordini di acquisto accettati con successo', + 'cancelled_purchase_order' => 'Ordine di acquisto annullato con successo', + 'cancelled_purchase_orders' => 'Ordini di acquisto annullati con successo', + 'please_select_a_vendor' => 'Seleziona un fornitore', + 'purchase_order_total' => 'Totale dell'ordine di acquisto', + 'email_purchase_order' => 'Ordine di acquisto via e-mail', + 'bulk_email_purchase_order' => 'Ordine di acquisto via e-mail', + 'disconnected_email' => 'E-mail disconnessa correttamente', + 'connect_email' => 'Connetti e-mail', + 'disconnect_email' => 'Disconnetti e-mail', + 'use_web_app_to_connect_microsoft' => 'Utilizzare l'app Web per connettersi a Microsoft', + 'email_provider' => 'Fornitore di posta elettronica', + 'connect_microsoft' => 'Connetti Microsoft', + 'disconnect_microsoft' => 'Disconnetti Microsoft', + 'connected_microsoft' => 'Microsoft connesso correttamente', + 'disconnected_microsoft' => 'Microsoft disconnesso correttamente', + 'microsoft_sign_in' => 'Accedi con Microsoft', + 'microsoft_sign_up' => 'Registrati con Microsoft', + 'emailed_purchase_order' => 'Ordine d'acquisto accodato con successo da inviare', + 'emailed_purchase_orders' => 'Ordini di acquisto accodati correttamente da inviare', + 'enable_react_app' => 'Passare all'app Web React', + 'purchase_order_design' => 'Progettazione dell'ordine di acquisto', + 'purchase_order_terms' => 'Termini dell'ordine di acquisto', + 'purchase_order_footer' => 'Piè di pagina dell'ordine di acquisto', + 'require_purchase_order_signature' => 'Firma dell'ordine di acquisto', + 'require_purchase_order_signature_help' => 'Richiedi al fornitore di fornire la propria firma.', + 'new_purchase_order' => 'Nuovo ordine di acquisto', + 'edit_purchase_order' => 'Modifica ordine d'acquisto', + 'created_purchase_order' => 'Ordine d'acquisto creato con successo', + 'updated_purchase_order' => 'Ordine d'acquisto aggiornato con successo', + 'archived_purchase_order' => 'Ordine d'acquisto archiviato con successo', + 'deleted_purchase_order' => 'Ordine d'acquisto eliminato con successo', + 'removed_purchase_order' => 'Ordine d'acquisto rimosso con successo', + 'restored_purchase_order' => 'Ordine d'acquisto ripristinato correttamente', + 'search_purchase_order' => 'Cerca ordine d'acquisto', + 'search_purchase_orders' => 'Cerca ordini di acquisto', + 'login_url' => 'URL di accesso', + 'enable_applying_payments' => 'Abilita l'applicazione dei pagamenti', + 'enable_applying_payments_help' => 'Supporta la creazione e l'applicazione separate dei pagamenti', + 'stock_quantity' => 'Quantità in magazzino', + 'notification_threshold' => 'Soglia di notifica', + 'track_inventory' => 'Tieni traccia dell'inventario', + 'track_inventory_help' => 'Visualizza un campo di magazzino del prodotto e aggiorna quando vengono inviate le fatture', + 'stock_notifications' => 'Notifiche di magazzino', + 'stock_notifications_help' => 'Invia un'e-mail quando lo stock raggiunge la soglia', + 'vat' => 'I.V.A.', + 'view_map' => 'Guarda la mappa', + 'set_default_design' => 'Imposta design predefinito', + 'add_gateway_help_message' => 'Aggiungi un gateway di pagamento (es. Stripe, WePay o PayPal) per accettare pagamenti online', + 'purchase_order_issued_to' => 'Ordine di acquisto emesso a', + 'archive_task_status' => 'Archivia lo stato dell'attività', + 'delete_task_status' => 'Elimina lo stato dell'attività', + 'restore_task_status' => 'Ripristina lo stato dell'attività', + 'lang_Hebrew' => 'ebraico', + 'price_change_accepted' => 'Cambio di prezzo accettato', + 'price_change_failed' => 'Modifica del prezzo non riuscita con il codice', + 'restore_purchases' => 'Ripristinare gli acquisti', + 'activate' => 'Attivare', + 'connect_apple' => 'Connetti Apple', + 'disconnect_apple' => 'Disconnetti Apple', + 'disconnected_apple' => 'Apple disconnesso con successo', + 'send_now' => 'Spedisci ora', + 'received' => 'Ricevuto', + 'converted_to_expense' => 'Convertito con successo in spesa', + 'converted_to_expenses' => 'Convertito con successo in spese', + 'entity_removed' => 'Questo documento è stato rimosso, si prega di contattare il fornitore per ulteriori informazioni', + 'entity_removed_title' => 'Documento non più disponibile', + 'field' => 'Campo', + 'period' => 'Periodo', + 'fields_per_row' => 'Campi per riga', + 'total_active_invoices' => 'Fatture attive', + 'total_outstanding_invoices' => 'Fatture in sospeso', + 'total_completed_payments' => 'Pagamenti completati', + 'total_refunded_payments' => 'Pagamenti rimborsati', + 'total_active_quotes' => 'Quotazioni attive', + 'total_approved_quotes' => 'Preventivi approvati', + 'total_unapproved_quotes' => 'Citazioni non approvate', + 'total_logged_tasks' => 'Attività registrate', + 'total_invoiced_tasks' => 'Compiti fatturati', + 'total_paid_tasks' => 'Attività a pagamento', + 'total_logged_expenses' => 'Spese registrate', + 'total_pending_expenses' => 'Spese in sospeso', + 'total_invoiced_expenses' => 'Spese fatturate', + 'total_invoice_paid_expenses' => 'Fattura spese pagate', + 'vendor_portal' => 'Portale venditori', + 'send_code' => 'Manda il codice', + 'save_to_upload_documents' => 'Salva il record per caricare i documenti', + 'expense_tax_rates' => 'Aliquote dell'imposta sulle spese', + 'invoice_item_tax_rates' => 'Aliquote fiscali articolo fattura', + 'verified_phone_number' => 'Numero di telefono verificato con successo', + 'code_was_sent' => 'È stato inviato un codice tramite SMS', + 'resend' => 'Invia di nuovo', + 'verify' => 'Verificare', + 'enter_phone_number' => 'Si prega di fornire un numero di telefono', + 'invalid_phone_number' => 'Numero di telefono invalido', + 'verify_phone_number' => 'Verifica il numero di telefono', + 'verify_phone_number_help' => 'Verifica il tuo numero di telefono per inviare e-mail', + 'merged_clients' => 'Clienti uniti con successo', + 'merge_into' => 'Unisci in', + 'php81_required' => 'Nota: v5.5 richiede PHP 8.1', + 'bulk_email_purchase_orders' => 'E-mail ordini di acquisto', + 'bulk_email_invoices' => 'Fatture e-mail', + 'bulk_email_quotes' => 'Citazioni e-mail', + 'bulk_email_credits' => 'Crediti e-mail', + 'archive_purchase_order' => 'Archiviare l'ordine di acquisto', + 'restore_purchase_order' => 'Ripristina ordine d'acquisto', + 'delete_purchase_order' => 'Elimina ordine d'acquisto', + 'connect' => 'Collegare', + 'mark_paid_payment_email' => 'Contrassegna l'e-mail di pagamento a pagamento', + 'convert_to_project' => 'Converti in progetto', + 'client_email' => 'E-mail del cliente', + 'invoice_task_project' => 'Progetto di attività di fatturazione', + 'invoice_task_project_help' => 'Aggiungere il progetto alle voci della fattura', + 'bulk_action' => 'Azione di massa', + 'phone_validation_error' => 'Questo numero di cellulare non è valido, inseriscilo nel formato E.164', + 'transaction' => 'Transazione', + 'disable_2fa' => 'Disattiva 2FA', + 'change_number' => 'Cambia numero', + 'resend_code' => 'Codice di rispedizione', + 'base_type' => 'Tipo Base', + 'category_type' => 'Tipo di categoria', + 'bank_transaction' => 'Transazione', + 'bulk_print' => 'Stampa PDF', + 'vendor_postal_code' => 'Codice postale del venditore', + 'preview_location' => 'Anteprima posizione', + 'bottom' => 'Metter il fondo a', + 'side' => 'Lato', + 'pdf_preview' => 'Anteprima PDF', + 'long_press_to_select' => 'Premere a lungo per selezionare', + 'purchase_order_item' => 'Articolo dell'ordine di acquisto', + 'would_you_rate_the_app' => 'Vuoi valutare l'app?', + 'include_deleted' => 'Includi Eliminato', + 'include_deleted_help' => 'Includi i record eliminati nei rapporti', + 'due_on' => 'Dovuto per', + 'browser_pdf_viewer' => 'Usa il visualizzatore PDF del browser', + 'browser_pdf_viewer_help' => 'Avviso: impedisce l'interazione con l'app sul PDF', + 'converted_transactions' => 'Transazioni convertite correttamente', + 'default_category' => 'Categoria predefinita', + 'connect_accounts' => 'Connetti gli account', + 'manage_rules' => 'Gestisci regole', + 'search_category' => 'Cerca 1 categoria', + 'search_categories' => 'Cerca :count Categorie', + 'min_amount' => 'Importo minimo', + 'max_amount' => 'Importo massimo', + 'converted_transaction' => 'Transazione convertita correttamente', + 'convert_to_payment' => 'Converti in pagamento', + 'deposit' => 'Depositare', + 'withdrawal' => 'Ritiro', + 'deposits' => 'Depositi', + 'withdrawals' => 'Prelievi', + 'matched' => 'Abbinato', + 'unmatched' => 'Senza eguali', + 'create_credit' => 'Crea credito', + 'transactions' => 'Transazioni', + 'new_transaction' => 'Nuova transazione', + 'edit_transaction' => 'Modifica transazione', + 'created_transaction' => 'Transazione creata con successo', + 'updated_transaction' => 'Transazione aggiornata con successo', + 'archived_transaction' => 'Transazione archiviata con successo', + 'deleted_transaction' => 'Transazione eliminata con successo', + 'removed_transaction' => 'Transazione rimossa con successo', + 'restored_transaction' => 'Transazione ripristinata correttamente', + 'search_transaction' => 'Cerca Transazione', + 'search_transactions' => 'Cerca transazioni :count', + 'deleted_bank_account' => 'Conto bancario eliminato correttamente', + 'removed_bank_account' => 'Conto bancario rimosso con successo', + 'restored_bank_account' => 'Conto bancario ripristinato correttamente', + 'search_bank_account' => 'Cerca conto bancario', + 'search_bank_accounts' => 'Cerca :count conti bancari', + 'code_was_sent_to' => 'Un codice è stato inviato via SMS a :number', + 'verify_phone_number_2fa_help' => 'Verifica il tuo numero di telefono per il backup 2FA', + 'enable_applying_payments_later' => 'Abilita l'applicazione dei pagamenti in un secondo momento', + 'line_item_tax_rates' => 'Aliquote fiscali articolo riga', + 'show_tasks_in_client_portal' => 'Mostra attività nel portale clienti', + 'notification_quote_expired_subject' => 'Il preventivo :invoice è scaduto per :client', + 'notification_quote_expired' => 'La seguente quotazione :invoice per i client :client e :amount è ora scaduta.', + 'auto_sync' => 'Sincronizzazione automatica', + 'refresh_accounts' => 'Aggiorna account', + 'upgrade_to_connect_bank_account' => 'Passa a Enterprise per connettere il tuo conto bancario', + 'click_here_to_connect_bank_account' => 'Clicca qui per collegare il tuo conto bancario', + 'include_tax' => 'Includi tasse', + 'email_template_change' => 'Il corpo del modello di posta elettronica può essere modificato', + 'task_update_authorization_error' => 'Autorizzazioni insufficienti o l'attività potrebbe essere bloccata', + 'cash_vs_accrual' => 'Contabilità per competenza', + 'cash_vs_accrual_help' => 'Attiva per la rendicontazione per competenza, disattiva per la rendicontazione di cassa.', + 'expense_paid_report' => 'Segnalazione spesa', + 'expense_paid_report_help' => 'Attiva per riportare tutte le spese, disattiva per riportare solo le spese pagate', + 'online_payment_email_help' => 'Invia un'e-mail quando viene effettuato un pagamento online', + 'manual_payment_email_help' => 'Invia un'e-mail quando inserisci manualmente un pagamento', + 'mark_paid_payment_email_help' => 'Invia un'e-mail quando contrassegni una fattura come pagata', + 'linked_transaction' => 'Transazione collegata correttamente', + 'link_payment' => 'Collega il pagamento', + 'link_expense' => 'Spese di collegamento', + 'lock_invoiced_tasks' => 'Blocca attività fatturate', + 'lock_invoiced_tasks_help' => 'Impedisci che le attività vengano modificate una volta fatturate', + 'registration_required_help' => 'Richiedi ai clienti di registrarsi', + 'use_inventory_management' => 'Utilizzare la gestione dell'inventario', + 'use_inventory_management_help' => 'Richiedi che i prodotti siano disponibili', + 'optional_products' => 'Prodotti opzionali', + 'optional_recurring_products' => 'Prodotti ricorrenti opzionali', + 'convert_matched' => 'Convertire', + 'auto_billed_invoice' => 'Fattura accodata correttamente da fatturare automaticamente', + 'auto_billed_invoices' => 'Fatture accodate correttamente da fatturare automaticamente', + 'operator' => 'Operatore', + 'value' => 'Valore', + 'is' => 'È', + 'contains' => 'Contiene', + 'starts_with' => 'Inizia con', + 'is_empty' => 'È vuoto', + 'add_rule' => 'Aggiungi regola', + 'match_all_rules' => 'Abbina tutte le regole', + 'match_all_rules_help' => 'Tutti i criteri devono corrispondere affinché la regola venga applicata', + 'auto_convert_help' => 'Converti automaticamente le transazioni abbinate in spese', + 'rules' => 'Regole', + 'transaction_rule' => 'Regola di transazione', + 'transaction_rules' => 'Regole di transazione', + 'new_transaction_rule' => 'Nuova regola di transazione', + 'edit_transaction_rule' => 'Modifica regola di transazione', + 'created_transaction_rule' => 'Regola creata correttamente', + 'updated_transaction_rule' => 'Regola di transazione aggiornata correttamente', + 'archived_transaction_rule' => 'Regola di transazione archiviata correttamente', + 'deleted_transaction_rule' => 'Regola di transazione eliminata correttamente', + 'removed_transaction_rule' => 'Regola di transazione rimossa correttamente', + 'restored_transaction_rule' => 'Regola di transazione ripristinata correttamente', + 'search_transaction_rule' => 'Cerca regola di transazione', + 'search_transaction_rules' => 'Cerca regole di transazione', + 'payment_type_Interac E-Transfer' => 'Trasferimento elettronico Interac', + 'delete_bank_account' => 'Elimina conto bancario', + 'archive_transaction' => 'Archivio transazione', + 'delete_transaction' => 'Elimina transazione', + 'otp_code_message' => 'Abbiamo inviato un codice a :email inserisci questo codice per procedere.', + 'otp_code_subject' => 'Il tuo passcode monouso', + 'otp_code_body' => 'Il tuo passcode monouso è :code', + 'delete_tax_rate' => 'Elimina aliquota fiscale', + 'restore_tax_rate' => 'Ripristina aliquota fiscale', + 'company_backup_file' => 'Seleziona il file di backup dell'azienda', + 'company_backup_file_help' => 'Carica il file .zip utilizzato per creare questo backup.', + 'backup_restore' => 'Backup | Ristabilire', + 'export_company' => 'Crea un backup aziendale', 'backup' => 'Backup', - '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_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.', - 'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', - 'subscription_blocked_title' => 'Product not available.', - 'purchase_order_created' => 'Purchase Order Created', - 'purchase_order_sent' => 'Purchase Order Sent', - 'purchase_order_viewed' => 'Purchase Order Viewed', - 'purchase_order_accepted' => 'Purchase Order Accepted', - 'credit_payment_error' => 'The credit amount can not be greater than the payment amount', - 'convert_payment_currency_help' => 'Set an exchange rate when entering a manual payment', - 'convert_expense_currency_help' => 'Set an exchange rate when creating an expense', - 'matomo_url' => 'Matomo URL', + 'notification_purchase_order_created_body' => 'Il seguente ordine di acquisto :purchase_order è stato creato per il fornitore :vendor per :amount.', + 'notification_purchase_order_created_subject' => 'L'ordine di acquisto :purchase_order è stato creato per :vendor', + 'notification_purchase_order_sent_subject' => 'L'ordine di acquisto :purchase_order è stato inviato a :vendor', + 'notification_purchase_order_sent' => 'Al seguente fornitore :vendor è stato inviato tramite e-mail l'ordine di acquisto :purchase_order per :amount.', + 'subscription_blocked' => 'Questo prodotto è un articolo limitato, si prega di contattare il venditore per ulteriori informazioni.', + 'subscription_blocked_title' => 'Prodotto non disponibile.', + 'purchase_order_created' => 'Ordine d'acquisto creato', + 'purchase_order_sent' => 'Ordine di acquisto inviato', + 'purchase_order_viewed' => 'Ordine d'acquisto visualizzato', + 'purchase_order_accepted' => 'Ordine di acquisto accettato', + 'credit_payment_error' => 'L'importo del credito non può essere superiore all'importo del pagamento', + 'convert_payment_currency_help' => 'Imposta un tasso di cambio quando inserisci un pagamento manuale', + 'convert_expense_currency_help' => 'Imposta un tasso di cambio quando crei una spesa', + 'matomo_url' => 'URL Matomo', 'matomo_id' => 'Matomo Id', - 'action_add_to_invoice' => 'Add To Invoice', - 'danger_zone' => 'Danger Zone', - 'import_completed' => 'Import completed', - 'client_statement_body' => 'Your statement from :start_date to :end_date is attached.', - 'email_queued' => 'Email queued', - 'clone_to_recurring_invoice' => 'Clone to Recurring Invoice', - 'inventory_threshold' => 'Inventory Threshold', - 'emailed_statement' => 'Successfully queued statement to be sent', - 'show_email_footer' => 'Show Email Footer', - 'invoice_task_hours' => 'Invoice Task Hours', - 'invoice_task_hours_help' => 'Add the hours to the invoice line items', - 'auto_bill_standard_invoices' => 'Auto Bill Standard Invoices', - 'auto_bill_recurring_invoices' => 'Auto Bill Recurring Invoices', - 'email_alignment' => 'Email Alignment', - 'pdf_preview_location' => 'PDF Preview Location', - 'mailgun' => 'Mailgun', - 'postmark' => 'Postmark', + 'action_add_to_invoice' => 'Aggiungi alla fattura', + 'danger_zone' => 'Zona pericolosa', + 'import_completed' => 'Importazione completata', + 'client_statement_body' => 'La tua dichiarazione da :start_date a :end_date è allegata.', + 'email_queued' => 'E-mail in coda', + 'clone_to_recurring_invoice' => 'Clona in fattura ricorrente', + 'inventory_threshold' => 'Soglia di inventario', + 'emailed_statement' => 'Istruzione accodata correttamente da inviare', + 'show_email_footer' => 'Mostra piè di pagina email', + 'invoice_task_hours' => 'Fatturare le ore di attività', + 'invoice_task_hours_help' => 'Aggiungere le ore alle voci della fattura', + 'auto_bill_standard_invoices' => 'Fatture standard di fatturazione automatica', + 'auto_bill_recurring_invoices' => 'Fatture ricorrenti automatiche', + 'email_alignment' => 'Allineamento e-mail', + 'pdf_preview_location' => 'Posizione anteprima PDF', + 'mailgun' => 'Pistola postale', + 'postmark' => 'Timbro postale', 'microsoft' => 'Microsoft', - 'click_plus_to_create_record' => 'Click + to create a record', - 'last365_days' => 'Last 365 Days', - 'import_design' => 'Import Design', - 'imported_design' => 'Successfully imported design', - 'invalid_design' => 'The design is invalid, the :value section is missing', - 'setup_wizard_logo' => 'Would you like to upload your logo?', - 'installed_version' => 'Installed Version', - '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', - 'update_payment' => 'Update Payment', - 'markup' => 'Markup', - 'unlock_pro' => 'Unlock Pro', - 'upgrade_to_paid_plan_to_schedule' => 'Upgrade to a paid plan to create schedules', - 'next_run' => 'Next Run', - 'all_clients' => 'All Clients', - 'show_aging_table' => 'Show Aging Table', - 'show_payments_table' => 'Show Payments Table', - 'email_statement' => 'Email Statement', - 'once' => 'Once', - 'schedules' => 'Schedules', - 'new_schedule' => 'New Schedule', - 'edit_schedule' => 'Edit Schedule', - 'created_schedule' => 'Successfully created schedule', - 'updated_schedule' => 'Successfully updated schedule', - 'archived_schedule' => 'Successfully archived schedule', - 'deleted_schedule' => 'Successfully deleted schedule', - 'removed_schedule' => 'Successfully removed schedule', - 'restored_schedule' => 'Successfully restored schedule', - 'search_schedule' => 'Search Schedule', - 'search_schedules' => 'Search Schedules', - 'update_product' => 'Update Product', - 'create_purchase_order' => 'Create Purchase Order', - 'update_purchase_order' => 'Update Purchase Order', - 'sent_invoice' => 'Sent Invoice', - 'sent_quote' => 'Sent Quote', - 'sent_credit' => 'Sent Credit', - 'sent_purchase_order' => 'Sent Purchase Order', - 'image_url' => 'Image URL', - 'max_quantity' => 'Max Quantity', - 'test_url' => 'Test URL', - 'auto_bill_help_off' => 'Option is not shown', - 'auto_bill_help_optin' => 'Option is shown but not selected', - 'auto_bill_help_optout' => 'Option is shown and selected', - 'auto_bill_help_always' => 'Option is not shown', - 'view_all' => 'View All', - 'edit_all' => 'Edit All', - 'accept_purchase_order_number' => 'Accept Purchase Order Number', - 'accept_purchase_order_number_help' => 'Enable clients to provide a PO number when approving a quote', - 'from_email' => 'From Email', - 'show_preview' => 'Show Preview', - 'show_paid_stamp' => 'Show Paid Stamp', - 'show_shipping_address' => 'Show Shipping Address', - 'no_documents_to_download' => 'There are no documents in the selected records to download', - 'pixels' => 'Pixels', - 'logo_size' => 'Logo Size', - 'failed' => 'Failed', - 'client_contacts' => 'Client Contacts', - 'sync_from' => 'Sync From', - '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', - 'click_to_variables' => 'Client here to see all variables.', - 'ship_to' => 'Ship to', - 'stripe_direct_debit_details' => 'Please transfer into the nominated bank account above.', - 'branch_name' => 'Branch Name', - 'branch_code' => 'Branch Code', - 'bank_name' => 'Bank Name', - 'bank_code' => 'Bank Code', + 'click_plus_to_create_record' => 'Fare clic su + per creare un record', + 'last365_days' => 'Ultimi 365 giorni', + 'import_design' => 'Importa disegno', + 'imported_design' => 'Design importato con successo', + 'invalid_design' => 'Il design non è valido, manca la sezione :value', + 'setup_wizard_logo' => 'Vuoi caricare il tuo logo?', + 'installed_version' => 'Versione installata', + 'notify_vendor_when_paid' => 'Avvisa il venditore al momento del pagamento', + 'notify_vendor_when_paid_help' => 'Invia un'e-mail al fornitore quando la spesa viene contrassegnata come pagata', + 'update_payment' => 'Aggiorna pagamento', + 'markup' => 'Marcatura', + 'unlock_pro' => 'Sblocca Pro', + 'upgrade_to_paid_plan_to_schedule' => 'Passa a un piano a pagamento per creare pianificazioni', + 'next_run' => 'Prossima corsa', + 'all_clients' => 'Tutti i clienti', + 'show_aging_table' => 'Mostra tabella di invecchiamento', + 'show_payments_table' => 'Mostra tabella pagamenti', + 'email_statement' => 'Dichiarazione di posta elettronica', + 'once' => 'Una volta', + 'schedules' => 'Orari', + 'new_schedule' => 'Nuovo programma', + 'edit_schedule' => 'Modifica programma', + 'created_schedule' => 'Programma creato correttamente', + 'updated_schedule' => 'Calendario aggiornato con successo', + 'archived_schedule' => 'Programma archiviato correttamente', + 'deleted_schedule' => 'Programma eliminato con successo', + 'removed_schedule' => 'Programma rimosso con successo', + 'restored_schedule' => 'Programma ripristinato correttamente', + 'search_schedule' => 'Programma di ricerca', + 'search_schedules' => 'Cerca Orari', + 'update_product' => 'Aggiorna prodotto', + 'create_purchase_order' => 'Crea ordine d'acquisto', + 'update_purchase_order' => 'Aggiorna ordine d'acquisto', + 'sent_invoice' => 'Fattura inviata', + 'sent_quote' => 'Preventivo inviato', + 'sent_credit' => 'Credito inviato', + 'sent_purchase_order' => 'Ordine di acquisto inviato', + 'image_url' => 'URL dell'immagine', + 'max_quantity' => 'Quantità massima', + 'test_url' => 'URL di prova', + 'auto_bill_help_off' => 'L'opzione non è mostrata', + 'auto_bill_help_optin' => 'L'opzione è mostrata ma non selezionata', + 'auto_bill_help_optout' => 'L'opzione viene mostrata e selezionata', + 'auto_bill_help_always' => 'L'opzione non è mostrata', + 'view_all' => 'Mostra tutto', + 'edit_all' => 'Modifica tutto', + 'accept_purchase_order_number' => 'Accetta il numero dell'ordine di acquisto', + 'accept_purchase_order_number_help' => 'Consenti ai clienti di fornire un numero di ordine di acquisto quando approvano un preventivo', + 'from_email' => 'Dall'email', + 'show_preview' => 'Anteprima dello spettacolo', + 'show_paid_stamp' => 'Mostra timbro pagato', + 'show_shipping_address' => 'Mostra indirizzo di spedizione', + 'no_documents_to_download' => 'Non ci sono documenti nei record selezionati da scaricare', + 'pixels' => 'Pixel', + 'logo_size' => 'Dimensione logo', + 'failed' => 'Fallito', + 'client_contacts' => 'Contatti Clienti', + 'sync_from' => 'Sincronizza da', + 'gateway_payment_text' => 'Fatture: :invoices per :amount per cliente :client', + 'gateway_payment_text_no_invoice' => 'Pagamento senza fattura per importo :amount per cliente :client', + 'click_to_variables' => 'Cliente qui per vedere tutte le variabili.', + 'ship_to' => 'Spedire a', + 'stripe_direct_debit_details' => 'Si prega di trasferire sul conto bancario indicato sopra.', + 'branch_name' => 'Nome ramo', + 'branch_code' => 'Codice della filiale', + 'bank_name' => 'Nome della banca', + 'bank_code' => 'Codice bancario', 'bic' => 'BIC', - 'change_plan_description' => 'Upgrade or downgrade your current plan.', - 'add_company_logo' => 'Add Logo', - 'add_stripe' => 'Add Stripe', - '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.

Your license key is:

:license_key', - 'payment_type_Klarna' => 'Klarna', - 'payment_type_Interac E Transfer' => 'Interac E Transfer', - 'xinvoice_payable' => 'Payable within :payeddue days net until :paydate', - 'xinvoice_no_buyers_reference' => "No buyer's reference given", - 'xinvoice_online_payment' => 'The invoice needs to be payed online via the provided link', - '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', - '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', - 'user_sales_report_header' => 'User sales report for client/s :client from :start_date to :end_date', - 'client_balance_report' => 'Customer balance report', - 'client_sales_report' => 'Customer sales report', - 'user_sales_report' => 'User sales report', - 'aged_receivable_detailed_report' => 'Aged Receivable Detailed Report', - 'aged_receivable_summary_report' => 'Aged Receivable Summary Report', - 'taxable_amount' => 'Taxable Amount', - 'tax_summary' => 'Tax Summary', - 'oauth_mail' => 'OAuth / Mail', - 'preferences' => 'Preferences', - 'analytics' => 'Analytics', + 'change_plan_description' => 'Esegui l'upgrade o il downgrade del tuo piano attuale.', + 'add_company_logo' => 'Aggiungi logo', + 'add_stripe' => 'Aggiungi striscia', + 'invalid_coupon' => 'Coupon non valido', + 'no_assigned_tasks' => 'Nessuna attività fatturabile per questo progetto', + 'authorization_failure' => 'Autorizzazioni insufficienti per eseguire questa azione', + 'authorization_sms_failure' => 'Verifica il tuo account per inviare e-mail.', + 'white_label_body' => 'Grazie per aver acquistato una licenza white label.

La tua chiave di licenza è:

:license_key', + 'payment_type_Klarna' => 'Clarna', + 'payment_type_Interac E Transfer' => 'Interac E Trasferimento', + 'xinvoice_payable' => 'Pagabile entro :payeddue giorni netti fino :paydate', + 'xinvoice_no_buyers_reference' => "Nessun riferimento dell'acquirente fornito", + 'xinvoice_online_payment' => 'La fattura deve essere pagata online tramite il link fornito', + 'pre_payment' => 'Pagamento anticipato', + 'number_of_payments' => 'Numero di pagamenti', + 'number_of_payments_helper' => 'Il numero di volte in cui verrà effettuato questo pagamento', + 'pre_payment_indefinitely' => 'Continua fino all'annullamento', + 'notification_payment_emailed' => 'Il pagamento :payment è stato inviato via email a :client', + 'notification_payment_emailed_subject' => 'Il pagamento :payment è stato inviato via email', + 'record_not_found' => 'Inserimento non trovato', + 'product_tax_exempt' => 'Prodotto esentasse', + 'product_type_physical' => 'Beni fisici', + 'product_type_digital' => 'Beni digitali', + 'product_type_service' => 'Servizi', + 'product_type_freight' => 'Spedizione', + 'minimum_payment_amount' => 'Importo minimo di pagamento', + 'client_initiated_payments' => 'Pagamenti avviati dal cliente', + 'client_initiated_payments_help' => 'Supporto per effettuare un pagamento nel portale clienti senza fattura', + 'share_invoice_quote_columns' => 'Condividi colonne fattura/preventivo', + 'cc_email' => 'E-mail CC', + 'payment_balance' => 'Saldo di pagamento', + 'view_report_permission' => 'Consenti all'utente di accedere ai report, i dati sono limitati alle autorizzazioni disponibili', + 'activity_138' => 'Il pagamento :payment è stato inviato via email a :client', + 'one_time_products' => 'Prodotti una tantum', + 'optional_one_time_products' => 'Prodotti opzionali una tantum', + 'required' => 'Necessario', + 'hidden' => 'Nascosto', + 'payment_links' => 'Collegamenti di pagamento', + 'payment_link' => 'Collegamento di pagamento', + 'new_payment_link' => 'Nuovo collegamento di pagamento', + 'edit_payment_link' => 'Modifica link di pagamento', + 'created_payment_link' => 'Link di pagamento creato con successo', + 'updated_payment_link' => 'Link di pagamento aggiornato con successo', + 'archived_payment_link' => 'Link di pagamento archiviato con successo', + 'deleted_payment_link' => 'Link di pagamento eliminato con successo', + 'removed_payment_link' => 'Link di pagamento rimosso con successo', + 'restored_payment_link' => 'Link di pagamento ripristinato correttamente', + 'search_payment_link' => 'Cerca 1 link di pagamento', + 'search_payment_links' => 'Cerca i link di pagamento :count', + 'increase_prices' => 'Aumentare i prezzi', + 'update_prices' => 'Aggiorna i prezzi', + 'incresed_prices' => 'Prezzi messi in coda con successo da aumentare', + 'updated_prices' => 'Prezzi in coda con successo da aggiornare', + 'api_token' => 'Token API', + 'api_key' => 'Chiave dell'API', + 'endpoint' => 'Punto finale', + 'not_billable' => 'Non Fatturabile', + 'allow_billable_task_items' => 'Consenti attività fatturabili', + 'allow_billable_task_items_help' => 'Abilita la configurazione degli elementi dell'attività fatturati', + 'show_task_item_description' => 'Mostra descrizione elemento attività', + 'show_task_item_description_help' => 'Abilita la specifica delle descrizioni degli elementi delle attività', + 'email_record' => 'Registrazione e-mail', + 'invoice_product_columns' => 'Colonne Fattura prodotto', + 'quote_product_columns' => 'Quota colonne prodotto', + 'vendors' => 'Venditori', + 'product_sales' => 'Le vendite di prodotti', + 'user_sales_report_header' => 'Report vendite utente per cliente/i :client da :start_date a :end_date', + 'client_balance_report' => 'Rapporto sul saldo del cliente', + 'client_sales_report' => 'Rapporto sulle vendite dei clienti', + 'user_sales_report' => 'Rapporto sulle vendite degli utenti', + 'aged_receivable_detailed_report' => 'Rapporto dettagliato crediti scaduti', + 'aged_receivable_summary_report' => 'Rapporto di riepilogo crediti scaduti', + 'taxable_amount' => 'Importo tassabile', + 'tax_summary' => 'Riepilogo fiscale', + 'oauth_mail' => 'OAuth/Posta', + 'preferences' => 'Preferenze', + 'analytics' => 'Analitica', + 'reduced_rate' => 'Rata ridotta', + 'tax_all' => 'Imposta tutto', + 'tax_selected' => 'Imposta selezionata', + 'version' => 'versione', + 'seller_subregion' => 'Sottoregione del venditore', + 'calculate_taxes' => 'Calcola le tasse', + 'calculate_taxes_help' => 'Calcola automaticamente le tasse quando salvi le fatture', + 'link_expenses' => 'Collega le spese', + 'converted_client_balance' => 'Saldo cliente convertito', + 'converted_payment_balance' => 'Saldo di pagamento convertito', + 'total_hours' => 'Ore totali', + 'date_picker_hint' => 'Usa +giorni per impostare la data nel futuro', + 'app_help_link' => 'Maggiori informazioni', + 'here' => 'Qui', + 'industry_Restaurant & Catering' => 'Ristorante e ristorazione', + 'show_credits_table' => 'Mostra la tabella dei crediti', ); diff --git a/lang/pt_PT/texts.php b/lang/pt_PT/texts.php index f42fa92885..5e2ea451fa 100644 --- a/lang/pt_PT/texts.php +++ b/lang/pt_PT/texts.php @@ -201,7 +201,7 @@ $LANG = array( 'invoice_error' => 'Certifique-se de selecionar um cliente e corrigir quaisquer erros', 'limit_clients' => 'Desculpe, isso excederá o limite de :count clientes. Por favor, atualize para um plano pago.', 'payment_error' => 'Ocorreu um erro ao processar o pagamento. Por favor tente novamente mais tarde.', - 'registration_required' => 'Registration Required', + 'registration_required' => 'Registro requerido', 'confirmation_required' => 'Por favor confirme o seu e-mail, :link para reenviar o e-mail de confirmação.', 'updated_client' => 'Cliente atualizado com sucesso', 'archived_client' => 'Cliente arquivado com sucesso', @@ -253,8 +253,8 @@ $LANG = array( 'notification_invoice_paid' => 'Um pagamento de :amount foi realizado pelo cliente :client através da nota de pagamento :invoice.', 'notification_invoice_sent' => 'O cliente :client foi notificado por e-mail referente à nota de pagamento :invoice de :amount.', 'notification_invoice_viewed' => 'O cliente :client visualizou a nota de pagamento :invoice de :amount.', - 'stripe_payment_text' => 'Invoice :invoicenumber for :amount for client :client', - 'stripe_payment_text_without_invoice' => 'Payment with no invoice for amount :amount for client :client', + 'stripe_payment_text' => 'Fatura :invoicenumber para :amount para cliente :client', + 'stripe_payment_text_without_invoice' => 'Pagamento sem fatura no valor :amount para cliente :client', 'reset_password' => 'Pode recuperar a sua senha no seguinte endereço:', 'secure_payment' => 'Pagamento Seguro', 'card_number' => 'Número do Cartão', @@ -798,7 +798,7 @@ Não consegue encontrar a nota de pagamento? Precisa de ajuda? Ficamos felizes e 'activity_51' => ':user apagou o utilizador :user', 'activity_52' => ':user restaurou o utilizador :user', 'activity_53' => ':user marcou como enviado :invoice', - 'activity_54' => ':user paid invoice :invoice', + 'activity_54' => ':user fatura paga :invoice', 'activity_55' => ':contact respondeu ao bilhete :ticket', 'activity_56' => ':user visualizou o bilhete :ticket', @@ -997,7 +997,7 @@ Não consegue encontrar a nota de pagamento? Precisa de ajuda? Ficamos felizes e 'status_approved' => 'Aprovado', 'quote_settings' => 'Definições dos Orçamentos', 'auto_convert_quote' => 'Auto Conversão', - 'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved.', + 'auto_convert_quote_help' => 'Converta automaticamente uma cotação em uma fatura quando aprovada.', 'validate' => 'Validado', 'info' => 'Informação', 'imported_expenses' => ':count_vendors fornecedor(s) e :count_expenses despesa(s) importadas com sucesso', @@ -1182,7 +1182,7 @@ Não consegue encontrar a nota de pagamento? Precisa de ajuda? Ficamos felizes e 'plan_started' => 'Iniciou o Plano', 'plan_expires' => 'Plano Expira', - 'white_label_button' => 'Purchase White Label', + 'white_label_button' => 'Comprar etiqueta branca', '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.', @@ -1858,7 +1858,7 @@ Quando tiver os valores dos depósitos, volte a esta página e conclua a verific 'task' => 'Tarefa', 'contact_name' => 'Nome do Contacto', 'city_state_postal' => 'Cidade/Distrito/C. Postal', - 'postal_city' => 'Postal/City', + 'postal_city' => 'Postal/Cidade', 'custom_field' => 'Campo Personalizado', 'account_fields' => 'Campos da Empresa', 'facebook_and_twitter' => 'Facebook e Twitter', @@ -2208,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', 'add_documents_to_invoice' => 'Adicionar documentos à nota de pagamento', 'mark_expense_paid' => 'Marcar Pago', - 'white_label_license_error' => 'Failed to validate the license, either expired or excessive activations. Email contact@invoiceninja.com for more information.', + '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', 'wrong_confirmation' => 'Código de confirmação incorreto', 'oauth_taken' => 'Esta conta já se encontra registada', @@ -2407,7 +2407,7 @@ Quando tiver os valores dos depósitos, volte a esta página e conclua a verific 'currency_vanuatu_vatu' => 'Vanuatu Vatu', 'currency_cuban_peso' => 'Cuban Peso', - 'currency_bz_dollar' => 'BZ Dollar', + 'currency_bz_dollar' => 'BZ Dólar', 'review_app_help' => 'Esperamos que esteja a gostar da aplicação.
Se eventualmente considerar :link agradecíamos muito!', 'writing_a_review' => 'escrever uma avaliação', @@ -2461,7 +2461,7 @@ Quando tiver os valores dos depósitos, volte a esta página e conclua a verific 'alipay' => 'Alipay', 'sofort' => 'Sofort', 'sepa' => 'Débito Direto SEPA', - 'name_without_special_characters' => 'Please enter a name with only the letters a-z and whitespaces', + 'name_without_special_characters' => 'Por favor insira um nome apenas com as letras az e espaços em branco', 'enable_alipay' => 'Aceitar Alipay', 'enable_sofort' => 'Aceitar Transferências Bancárias da UE', 'stripe_alipay_help' => 'Estes terminais também precisam ser ativados em :link.', @@ -2784,11 +2784,11 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'invalid_url' => 'URL inválido', 'workflow_settings' => 'Configurações de Fluxo de Trabalho', 'auto_email_invoice' => 'Email Automático', - 'auto_email_invoice_help' => 'Automatically email recurring invoices when created.', + 'auto_email_invoice_help' => 'Faturas recorrentes por e-mail automaticamente quando criadas.', 'auto_archive_invoice' => 'Arquivar Automaticamente', - 'auto_archive_invoice_help' => 'Automatically archive invoices when paid.', + 'auto_archive_invoice_help' => 'Arquive automaticamente as faturas quando pagas.', 'auto_archive_quote' => 'Arquivar Automaticamente', - 'auto_archive_quote_help' => 'Automatically archive quotes when converted to invoice.', + 'auto_archive_quote_help' => 'Arquive cotações automaticamente quando convertidas em fatura.', 'require_approve_quote' => 'Solicitar aprovação de orçamento', 'require_approve_quote_help' => 'Solicitar aos clientes aprovação de orçamento.', 'allow_approve_expired_quote' => 'Permitir a aprovação de orçamentos expirados', @@ -3376,7 +3376,7 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'credit_number_counter' => 'Contador Numérico de Créditos', 'reset_counter_date' => 'Reiniciar Data do Contador', 'counter_padding' => 'Padrão do Contador', - 'shared_invoice_quote_counter' => 'Share Invoice Quote Counter', + 'shared_invoice_quote_counter' => 'Contador de Cotação de Fatura Compartilhada', 'default_tax_name_1' => 'Nome fiscal padrão 1', 'default_tax_rate_1' => 'Taxa de imposto padrão 1', 'default_tax_name_2' => 'Nome fiscal padrão 2', @@ -3650,7 +3650,7 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'force_update_help' => 'Está a usar a versão mais recente, mas pode haver correções pendentes disponíveis.', 'mark_paid_help' => 'Acompanhe se a despesa foi paga', 'mark_invoiceable_help' => 'Permitir que a despesa seja faturada', - 'add_documents_to_invoice_help' => 'Make the documents visible to client', + 'add_documents_to_invoice_help' => 'Tornar os documentos visíveis para o cliente', 'convert_currency_help' => 'Defina uma taxa de câmbio', 'expense_settings' => 'Configurações das despesas', 'clone_to_recurring' => 'Duplicar recorrência', @@ -3722,7 +3722,7 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'use_available_credits' => 'Usar Créditos Disponíveis', 'show_option' => 'Mostrar Opção', 'negative_payment_error' => 'O valor do crédito não pode exceder o valor do pagamento', - 'should_be_invoiced_help' => 'Enable the expense to be invoiced', + 'should_be_invoiced_help' => 'Habilitar a despesa a ser faturada', 'configure_gateways' => 'Configurar Terminais', 'payment_partial' => 'Pagamento Parcial', 'is_running' => 'Em execução', @@ -3748,15 +3748,15 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'activity_60' => ':contact viu o orçamento :quota', 'activity_61' => ':user atualizou o cliente :client', 'activity_62' => ':user atualizou fornecedor :vendor', - 'activity_63' => ':user emailed first reminder for invoice :invoice to :contact', - 'activity_64' => ':user emailed second reminder for invoice :invoice to :contact', - 'activity_65' => ':user emailed third reminder for invoice :invoice to :contact', - 'activity_66' => ':user emailed endless reminder for invoice :invoice to :contact', + 'activity_63' => ':user primeiro lembrete por e-mail para fatura :invoice para :contact', + 'activity_64' => ':user segundo lembrete enviado por e-mail para fatura :invoice para :contact', + 'activity_65' => ':user terceiro lembrete enviado por e-mail para fatura :invoice para :contact', + 'activity_66' => ':user lembrete interminável por e-mail para fatura :invoice para :contact', 'expense_category_id' => 'ID da Categoria de Despesa', 'view_licenses' => 'Ver Licenças', 'fullscreen_editor' => 'Editor em ecrã inteiro', 'sidebar_editor' => 'Editor da Barra Lateral', - 'please_type_to_confirm' => 'Please type ":value" to confirm', + 'please_type_to_confirm' => 'Digite ":value" para confirmar', 'purge' => 'Apagar', 'clone_to' => 'Duplicar para', 'clone_to_other' => 'Duplicar para outro', @@ -3771,8 +3771,8 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'archived_task_statuses' => 'Estado das tarefas arquivados com sucesso', 'deleted_task_statuses' => 'Estado das tarefas apagados com sucesso', 'restored_task_statuses' => 'Estado das tarefas restaurados com sucesso', - 'deleted_expense_categories' => 'Successfully deleted expense :value categories', - 'restored_expense_categories' => 'Successfully restored expense :value categories', + 'deleted_expense_categories' => 'Despesas :value excluídas com sucesso', + 'restored_expense_categories' => 'Categorias de despesas :value restauradas com sucesso', 'archived_recurring_invoices' => ':value Notas de pagamento recorrentes arquivadas com sucesso', 'deleted_recurring_invoices' => ':value Notas de pagamento recorrentes apagadas com sucesso', 'restored_recurring_invoices' => ':value Notas de pagamento recorrentes restauradas com sucesso', @@ -3821,12 +3821,12 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'duplicate_column_mapping' => 'Duplicar mapeamento de colunas', 'uses_inclusive_taxes' => 'Usa Taxas Incluidas', 'is_amount_discount' => 'Quantia do Desconto', - 'map_to' => 'Map To', + 'map_to' => 'Mapa para', 'first_row_as_column_names' => 'Usar primeira linha como nome das colunas', 'no_file_selected' => 'Nenhum Ficheiro Selecionado', 'import_type' => 'Tipo de Importação', 'draft_mode' => 'Modo de 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' => 'Mostrar Desconto do Produto', 'show_product_discount_help' => 'Exibir um campo de desconto de produto', 'tax_name3' => 'Imposto 3', @@ -3855,7 +3855,7 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'show' => 'Mostrar', 'empty_columns' => 'Colunas Vazias', 'project_name' => 'Nome do Projeto', - 'counter_pattern_error' => 'To use :client_counter please add either :client_number or :client_id_number to prevent conflicts', + 'counter_pattern_error' => 'Para usar :client_counter, adicione :client_number ou :client_id_number para evitar conflitos', 'this_quarter' => 'Este Trimestre', 'to_update_run' => 'Para atualizar corra', 'registration_url' => 'URL de Registo', @@ -3880,7 +3880,7 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'status_id' => 'Estado da Nota de Pagamento', 'email_already_register' => 'Este E-mail já está associado a uma conta', 'locations' => 'Localizações', - 'freq_indefinitely' => 'Indefinitely', + 'freq_indefinitely' => 'Indefinidamente', 'cycles_remaining' => 'Ciclos restantes', 'i_understand_delete' => 'Eu compreendo, apagar', 'download_files' => 'Transferir Ficheiros', @@ -3906,12 +3906,12 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'enter_your_personal_address' => 'Introduza o seu endereço pessoal', 'enter_your_shipping_address' => 'Introduza o seu endereço de envio', 'list_of_invoices' => 'Lista de Notas de Pagamento', - 'with_selected' => 'With selected', + 'with_selected' => 'Com selecionado', 'invoice_still_unpaid' => 'Esta nota de pagamento ainda não foi paga. Clique neste botão para completar o pagamento', 'list_of_recurring_invoices' => 'Lista de notas de pagamentos recorrente', 'details_of_recurring_invoice' => 'Aqui estão alguns detalhes sobre esta nota de pagamento recorrente', 'cancellation' => 'Cancelamento', - 'about_cancellation' => 'In case you want to stop the recurring invoice, please click to request the cancellation.', + 'about_cancellation' => 'Caso queira interromper a cobrança recorrente, clique para solicitar o cancelamento.', 'cancellation_warning' => 'Aviso! Está a pedir o cancelamento deste serviço. O serviço pode ser cancelado sem nenhuma notificação posterior.', 'cancellation_pending' => 'Cancelamento pendente, entraremos em contacto muito brevemente!', 'list_of_payments' => 'Lista de pagamentos', @@ -3959,12 +3959,12 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'if_you_need_help' => 'Se precisar de ajuda pode publicar no nosso', 'update_password_on_confirm' => 'Depois de alterar a palavra-passe, a sua conta será confirmada', 'bank_account_not_linked' => 'Para pagar com uma conta bancária, é necessário adicionar um método de pagamento em primeiro lugar.', - 'application_settings_label' => 'Let\'s store basic information about your Invoice Ninja!', + 'application_settings_label' => 'Vamos armazenar informações básicas sobre sua Fatura Ninja!', 'recommended_in_production' => 'Altamente recomendado em produção', 'enable_only_for_development' => 'Ativar apenas para desenvolvimento', 'test_pdf' => 'Testar PDF', 'checkout_authorize_label' => 'Checkout.com pode ser guardada como método de pagamento para uso futuro assim que termine a sua primeira transação. Não se esqueça de marcar a opção "Guardar dados cartão de crédito" durante o processo de pagamento.', - 'sofort_authorize_label' => 'Bank account (SOFORT) can be can saved as payment method for future use, once you complete your first transaction. Don\'t forget to check "Store payment details" during payment process.', + 'sofort_authorize_label' => 'A conta bancária (SOFORT) pode ser salva como forma de pagamento para uso futuro, assim que você concluir sua primeira transação. Não se esqueça de marcar "Detalhes de pagamento da loja" durante o processo de pagamento.', 'node_status' => 'Estado Node', 'npm_status' => 'Estado NPM', 'node_status_not_found' => 'O módulo Node não foi encontrado. Está instalado?', @@ -4008,7 +4008,7 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'notification_invoice_reminder1_sent_subject' => '1 Lembrete para a Nota de Pagamento :invoice foi enviada para :client', 'notification_invoice_reminder2_sent_subject' => '2 Lembretes para a Nota de Pagamento :invoice foi enviada para :client', 'notification_invoice_reminder3_sent_subject' => '3 Lembretes para a Nota de Pagamento :invoice foi enviada para :client', - 'notification_invoice_reminder_endless_sent_subject' => 'Endless reminder for Invoice :invoice was sent to :client', + 'notification_invoice_reminder_endless_sent_subject' => 'Lembrete infinito para Fatura :invoice foi enviado para :client', 'assigned_user' => 'Utilizador Atribuído', 'setup_steps_notice' => 'Para prosseguir ao próximo passo, certifique-se que testa cada secção.', 'setup_phantomjs_note' => 'Nota acerca Phantom JS. Ler mais', @@ -4023,19 +4023,19 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'save_payment_method_details' => 'Guardar detalhes do método de pagamento', 'new_card' => 'Novo cartão', 'new_bank_account' => 'Nova conta bancária', - 'company_limit_reached' => 'Limit of :limit companies per account.', + 'company_limit_reached' => 'Limite de :limit empresas por conta.', 'credits_applied_validation' => 'O total dos créditos aplicados não pode ser SUPERIOR ao total das notas de pagamento', 'credit_number_taken' => 'Número de nota de crédito já em uso', 'credit_not_found' => 'Nota de crédito não encontrada', 'invoices_dont_match_client' => 'As notas de pagamento selecionadas não pertecem a um único cliente.', 'duplicate_credits_submitted' => 'Duplicar notas de crédito submetidas', 'duplicate_invoices_submitted' => 'Duplicar notas de pagamento submetidas.', - 'credit_with_no_invoice' => 'You must have an invoice set when using a credit in a payment', + 'credit_with_no_invoice' => 'Você deve ter uma fatura definida ao usar um crédito em um pagamento', 'client_id_required' => 'O ID do Cliente é necessário', 'expense_number_taken' => 'Número de Despesa já foi utilizado', 'invoice_number_taken' => 'Número de Nota de Pagamento já foi utilizado', 'payment_id_required' => 'ID de Pagamento Necessário', - 'unable_to_retrieve_payment' => 'Unable to retrieve specified payment', + 'unable_to_retrieve_payment' => 'Não foi possível recuperar o pagamento especificado', 'invoice_not_related_to_payment' => 'O ID desta nota de pagamento não está relacionado com este pagamento', 'credit_not_related_to_payment' => 'O ID de nota de crédito não está relacionado com este pagamento', 'max_refundable_invoice' => 'Tentativa de reembolsar mais do que o permitido para a nota de pagamento :invoice, o valor máximo reembolsável é de :amount', @@ -4056,7 +4056,7 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'migration_completed' => 'Migração completa', 'migration_completed_description' => 'A migração foi concluída, por favor verifique os dados após iniciar sessão.', 'api_404' => '404 | Nada para ver aqui!', - 'large_account_update_parameter' => 'Cannot load a large account without a updated_at parameter', + 'large_account_update_parameter' => 'Não é possível carregar uma conta grande sem um parâmetro updated_at', 'no_backup_exists' => 'Não existem cópias de segurança para esta atividade', 'company_user_not_found' => 'Registos do Utilizador da Empresa não encontrados', 'no_credits_found' => 'Créditos não encontrados', @@ -4081,20 +4081,20 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'vendor_address1' => 'Morada Fornecedor', 'vendor_address2' => 'Andar / Fração Fornecedor', 'partially_unapplied' => 'Parcialmente Não Aplicado', - 'select_a_gmail_user' => 'Please select a user authenticated with Gmail', - 'list_long_press' => 'List Long Press', + 'select_a_gmail_user' => 'Selecione um usuário autenticado com o Gmail', + 'list_long_press' => 'Lista de pressão longa', 'show_actions' => 'Mostrar Ações', 'start_multiselect' => 'Iniciar Multiseleção', 'email_sent_to_confirm_email' => 'Um E-mail foi enviado para confirmar este endereço de correio eletrónico', - 'converted_paid_to_date' => 'Converted Paid to Date', + 'converted_paid_to_date' => 'Convertido em pago até a data', 'converted_credit_balance' => 'Saldo de Crédito Convertido', 'converted_total' => 'Total Convertido', 'reply_to_name' => 'Responder para nome', 'payment_status_-2' => 'Parcialmente Não Aplicado', 'color_theme' => 'Tema de Cor', 'start_migration' => 'Iniciar Migração', - 'recurring_cancellation_request' => 'Request for recurring invoice cancellation from :contact', - 'recurring_cancellation_request_body' => ':contact from Client :client requested to cancel Recurring Invoice :invoice', + 'recurring_cancellation_request' => 'Solicitação de cancelamento de fatura recorrente de :contact', + 'recurring_cancellation_request_body' => ':contact do Cliente :client solicitou o cancelamento da Fatura Recorrente :invoice', 'hello' => 'Olá', 'group_documents' => 'Documentos de Group', 'quote_approval_confirmation_label' => 'Tem a certeza que quer aprovar este orçamento?', @@ -4117,7 +4117,7 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'zoho' => 'Zoho', 'accounting' => 'Contabilidade', 'required_files_missing' => 'Por favor forneça todos os CSVs', - 'migration_auth_label' => 'Let\'s continue by authenticating.', + 'migration_auth_label' => 'Vamos continuar autenticando.', 'api_secret' => 'API Secreto', 'migration_api_secret_notice' => 'Você pode encontrar API_SECRET no arquivo .env ou Invoice Ninja v5. Se a propriedade estiver ausente, deixe o campo em branco.', 'billing_coupon_notice' => 'O desconto será aplicado no pagamento.', @@ -4130,8 +4130,8 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'help_translate' => 'Ajude a traduzir', 'please_select_a_country' => 'Por favor escolha um país', 'disabled_two_factor' => 'Autenticação de dois fatores (2FA) desativada com sucesso', - 'connected_google' => 'Successfully connected account', - 'disconnected_google' => 'Successfully disconnected account', + 'connected_google' => 'Conta conectada com sucesso', + 'disconnected_google' => 'Conta desconectada com sucesso', 'delivered' => 'Entregue', 'spam' => 'Spam', 'view_docs' => 'Ver Documentos', @@ -4141,7 +4141,7 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'connect_google' => 'Associar Google', 'disconnect_google' => 'Desassociar Google', 'disable_two_factor' => 'Desativar Dois Fatores', - 'invoice_task_datelog' => 'Invoice Task Datelog', + 'invoice_task_datelog' => 'Registo de datas de tarefas de fatura', 'invoice_task_datelog_help' => 'Adicionar detalhes da data na linha dos items da Nota de Pagamento', 'promo_code' => 'Código Promocional', 'recurring_invoice_issued_to' => 'Nota de Pagamento Recorrente enviada para', @@ -4155,13 +4155,13 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'subdomain_is_not_available' => 'Subdomínio não disponível', 'connect_gmail' => 'Associar Gmail', 'disconnect_gmail' => 'Desassociar Gmail', - 'connected_gmail' => 'Successfully connected Gmail', - 'disconnected_gmail' => 'Successfully disconnected Gmail', - 'update_fail_help' => 'Changes to the codebase may be blocking the update, you can run this command to discard the changes:', + 'connected_gmail' => 'Gmail conectado com sucesso', + 'disconnected_gmail' => 'Gmail desconectado com sucesso', + 'update_fail_help' => 'Alterações na base de código podem estar bloqueando a atualização, você pode executar este comando para descartar as alterações:', 'client_id_number' => 'Número de Identificação do Cliente', 'count_minutes' => ':count Minutos', 'password_timeout' => 'Timeout da palavra-passe', - 'shared_invoice_credit_counter' => 'Share Invoice/Credit Counter', + 'shared_invoice_credit_counter' => 'Compartilhar Fatura/Contador de Crédito', 'activity_80' => ':user criou a subscrição :subscription', 'activity_81' => ':user atualizou a subscrição :subscription', 'activity_82' => ':user arquivou a subscrição :subscription', @@ -4179,7 +4179,7 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'max_companies_desc' => 'Atingiu o limite máximo de empresas. Apague as existentes para migrar as novas.', 'migration_already_completed' => 'A empresa selecionada já foi migrada', 'migration_already_completed_desc' => 'Parece que já houve uma migração da :company_name para a versão V5 do Invoice Ninja. Caso queria redefinir tudo e recomeçar, pode forçar a migração para limpar os dados existentes.', - 'payment_method_cannot_be_authorized_first' => 'This payment method can be can saved for future use, once you complete your first transaction. Don\'t forget to check "Store details" during payment process.', + 'payment_method_cannot_be_authorized_first' => 'Este método de pagamento pode ser salvo para uso futuro, assim que você concluir sua primeira transação. Não se esqueça de verificar "Detalhes da loja" durante o processo de pagamento.', 'new_account' => 'Nova conta', 'activity_100' => ':user criou uma nota de pagamento recorrente :recurring_invoice', 'activity_101' => ':user atualizou uma nota de pagamento recorrente :recurring_invoice', @@ -4225,17 +4225,17 @@ debitar da sua conta de acordo com essas instruções. Está elegível a um reem 'company_deleted_body' => 'A empresa [:company] foi apagada por :user', 'back_to' => 'Regressar a :url', 'stripe_connect_migration_title' => 'Associar conta Stripe', - '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.

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' => 'O Invoice Ninja v5 usa o Stripe Connect para vincular sua conta Stripe ao Invoice Ninja. Isso fornece uma camada adicional de segurança para sua conta. Agora que seus dados foram migrados, você precisará Autorizar o Stripe para aceitar pagamentos na v5.

Para fazer isso, navegue até Configurações > Pagamentos online > Configurar gateways. Clique em Stripe Connect e, em Configurações, clique em Configurar Gateway. Isso levará você ao Stripe para autorizar o Invoice Ninja e, ao retornar, sua conta será vinculada com sucesso!', 'email_quota_exceeded_subject' => 'Quota de conta de E-mail ultrapassada', 'email_quota_exceeded_body' => 'Nas últimas 24 horas enviou :quota E-mails. O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.', - 'auto_bill_option' => 'Opt in or out of having this invoice automatically charged.', + 'auto_bill_option' => 'Opte por receber ou não a cobrança automática desta fatura.', 'lang_Arabic' => 'Árabe', 'lang_Persian' => 'Persa', 'lang_Latvian' => 'Letão', 'expiry_date' => 'Data de expiração', 'cardholder_name' => 'Nome no cartão', - 'recurring_quote_number_taken' => 'Recurring Quote number :number already taken', + 'recurring_quote_number_taken' => 'Número de cotação recorrente :number já obtido', 'account_type' => 'Tipo de Conta', 'locality' => 'Localidade', 'checking' => 'A verificar', @@ -4243,457 +4243,457 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.', 'unable_to_verify_payment_method' => 'Não foi possível verificar o método de pagamento', 'generic_gateway_error' => 'Erro na configuração do terminal. Por favor verifica as credenciais.', 'my_documents' => 'Os Meus Documentos', - 'payment_method_cannot_be_preauthorized' => 'This payment method cannot be preauthorized.', + 'payment_method_cannot_be_preauthorized' => 'Este método de pagamento não pode ser pré-autorizado.', 'kbc_cbc' => 'KBC/CBC', - 'bancontact' => 'Bancontact', - 'sepa_mandat' => 'By providing your IBAN and confirming this payment, you are authorizing :company and Stripe, our payment service provider, to send instructions to your bank to debit your account and your bank to debit your account in accordance with those instructions. You are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. A refund must be claimed within 8 weeks starting from the date on which your account was debited.', - 'ideal' => 'iDEAL', - 'bank_account_holder' => 'Bank Account Holder', - 'aio_checkout' => 'All-in-one checkout', + 'bancontact' => 'Bancocontato', + 'sepa_mandat' => 'Ao fornecer seu IBAN e confirmar este pagamento, você autoriza :company e Stripe, nosso provedor de serviços de pagamento, a enviar instruções ao seu banco para debitar sua conta e seu banco para debitar sua conta de acordo com essas instruções. Você tem direito a um reembolso do seu banco de acordo com os termos e condições do seu contrato com o banco. Um reembolso deve ser solicitado dentro de 8 semanas a partir da data em que sua conta foi debitada.', + 'ideal' => 'ideal', + 'bank_account_holder' => 'Titular da conta bancária', + 'aio_checkout' => 'Check-out completo', 'przelewy24' => 'Przelewy24', - 'przelewy24_accept' => 'I declare that I have familiarized myself with the regulations and information obligation of the Przelewy24 service.', + 'przelewy24_accept' => 'Declaro que me familiarizei com os regulamentos e obrigações de informação do serviço Przelewy24.', 'giropay' => 'GiroPay', - 'giropay_law' => 'By entering your Customer information (such as name, sort code and account number) you (the Customer) agree that this information is given voluntarily.', + 'giropay_law' => 'Ao inserir suas informações de cliente (como nome, código de classificação e número da conta), você (o cliente) concorda que essas informações são fornecidas voluntariamente.', 'klarna' => 'Klarna', 'eps' => 'EPS', - '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 Direct Debit Request and the Direct Debit Request service agreement, 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.', - 'direct_debit' => 'Direct Debit', - 'clone_to_expense' => 'Clone to Expense', - 'checkout' => 'Checkout', - 'acss' => 'Pre-authorized debit payments', + 'becs' => 'Débito Direto BECS', + 'bacs' => 'Débito Direto BACS', + 'payment_type_BACS' => 'Débito Direto BACS', + 'missing_payment_method' => 'Adicione um método de pagamento antes de tentar pagar.', + 'becs_mandate' => 'Ao fornecer os detalhes da sua conta bancária, você concorda com esta Solicitação de débito direto e o contrato de serviço de Solicitação de débito direto e autoriza a Stripe Payments Australia Pty Ltd ACN 160 180 343 Número de identificação do usuário de débito direto 507156 (“Stripe”) a debitar sua conta por meio do Bulk Electronic Clearing System (BECS) em nome de :company (o “Comerciante”) para quaisquer valores comunicados separadamente a você pelo Comerciante. Você certifica que é o titular da conta ou um signatário autorizado na conta listada acima.', + 'you_need_to_accept_the_terms_before_proceeding' => 'Você precisa aceitar os termos antes de prosseguir.', + 'direct_debit' => 'Débito Direto', + 'clone_to_expense' => 'Clonar para despesas', + 'checkout' => 'Confira', + 'acss' => 'Pagamentos de débito pré-autorizados', 'invalid_amount' => 'Montante inválido. Apenas valores numéricos/decimais.', - 'client_payment_failure_body' => 'Payment for Invoice :invoice for amount :amount failed.', + 'client_payment_failure_body' => 'Falha no pagamento da fatura :invoice para o valor :amount.', 'browser_pay' => 'Google Pay, Apple Pay, Microsoft Pay', - 'no_available_methods' => 'We can\'t find any credit cards on your device. Read more about this.', - 'gocardless_mandate_not_ready' => 'Payment mandate is not ready. Please try again later.', - 'payment_type_instant_bank_pay' => 'Instant Bank Pay', - 'payment_type_iDEAL' => 'iDEAL', + 'no_available_methods' => 'Não encontramos nenhum cartão de crédito em seu dispositivo. Leia mais sobre isso.', + 'gocardless_mandate_not_ready' => 'O mandato de pagamento não está pronto. Por favor, tente novamente mais tarde.', + 'payment_type_instant_bank_pay' => 'Pagamento Bancário Instantâneo', + 'payment_type_iDEAL' => 'ideal', 'payment_type_Przelewy24' => 'Przelewy24', - 'payment_type_Mollie Bank Transfer' => 'Mollie Bank Transfer', + 'payment_type_Mollie Bank Transfer' => 'Mollie Transferência Bancária', 'payment_type_KBC/CBC' => 'KBC/CBC', - 'payment_type_Instant Bank Pay' => 'Instant Bank Pay', - 'payment_type_Hosted Page' => 'Hosted Page', + 'payment_type_Instant Bank Pay' => 'Pagamento Bancário Instantâneo', + 'payment_type_Hosted Page' => 'Página Hospedada', 'payment_type_GiroPay' => 'GiroPay', 'payment_type_EPS' => 'EPS', - 'payment_type_Direct Debit' => 'Direct Debit', - 'payment_type_Bancontact' => 'Bancontact', + 'payment_type_Direct Debit' => 'Débito Direto', + 'payment_type_Bancontact' => 'Bancocontato', 'payment_type_BECS' => 'BECS', 'payment_type_ACSS' => 'ACSS', 'gross_line_total' => 'Total bruto', - 'lang_Slovak' => 'Slovak', + 'lang_Slovak' => 'eslovaco', 'normal' => 'Normal', - 'large' => 'Large', - 'extra_large' => 'Extra Large', - 'show_pdf_preview' => 'Show PDF Preview', - 'show_pdf_preview_help' => 'Display PDF preview while editing invoices', + 'large' => 'Grande', + 'extra_large' => 'Extra grande', + 'show_pdf_preview' => 'Mostrar visualização de PDF', + 'show_pdf_preview_help' => 'Exibir visualização em PDF durante a edição de faturas', 'print_pdf' => 'Imprimir PDF', - 'remind_me' => 'Remind Me', - 'instant_bank_pay' => 'Instant Bank Pay', - 'click_selected' => 'Click Selected', - 'hide_preview' => 'Hide Preview', - 'edit_record' => 'Edit Record', - 'credit_is_more_than_invoice' => 'The credit amount can not be more than the invoice amount', - 'please_set_a_password' => 'Please set an account password', - 'recommend_desktop' => 'We recommend using the desktop app for the best performance', - 'recommend_mobile' => 'We recommend using the mobile app for the best performance', - 'disconnected_gateway' => 'Successfully disconnected gateway', - 'disconnect' => 'Disconnect', - 'add_to_invoices' => 'Add to Invoices', + 'remind_me' => 'Lembre-me', + 'instant_bank_pay' => 'Pagamento Bancário Instantâneo', + 'click_selected' => 'Clique em Selecionado', + 'hide_preview' => 'Ocultar visualização', + 'edit_record' => 'Editar registro', + 'credit_is_more_than_invoice' => 'O valor do crédito não pode ser superior ao valor da fatura', + 'please_set_a_password' => 'Defina uma senha de conta', + 'recommend_desktop' => 'Recomendamos usar o aplicativo de desktop para obter o melhor desempenho', + 'recommend_mobile' => 'Recomendamos o uso do aplicativo móvel para obter o melhor desempenho', + 'disconnected_gateway' => 'Gateway desconectado com sucesso', + 'disconnect' => 'desconectar', + 'add_to_invoices' => 'Adicionar às faturas', 'bulk_download' => 'Download', - 'persist_data_help' => 'Save data locally to enable the app to start faster, disabling may improve performance in large accounts', - 'persist_ui' => 'Persist UI', - 'persist_ui_help' => 'Save UI state locally to enable the app to start at the last location, disabling may improve performance', - 'client_postal_code' => 'Client Postal Code', - 'client_vat_number' => 'Client VAT Number', - 'has_tasks' => 'Has Tasks', - 'registration' => 'Registration', - 'unauthorized_stripe_warning' => 'Please authorize Stripe to accept online payments.', - 'update_all_records' => 'Update all records', - 'set_default_company' => 'Set Default Company', - 'updated_company' => 'Successfully updated company', + 'persist_data_help' => 'Salve os dados localmente para permitir que o aplicativo seja iniciado mais rapidamente. A desativação pode melhorar o desempenho em contas grandes', + 'persist_ui' => 'Persistir IU', + 'persist_ui_help' => 'Salve o estado da interface do usuário localmente para permitir que o aplicativo seja iniciado no último local. A desativação pode melhorar o desempenho', + 'client_postal_code' => 'Código Postal do Cliente', + 'client_vat_number' => 'Número de IVA do cliente', + 'has_tasks' => 'tem tarefas', + 'registration' => 'Cadastro', + 'unauthorized_stripe_warning' => 'Por favor, autorize o Stripe a aceitar pagamentos online.', + 'update_all_records' => 'Atualizar todos os registros', + 'set_default_company' => 'Definir empresa padrão', + 'updated_company' => 'Empresa atualizada com sucesso', 'kbc' => 'KBC', - 'why_are_you_leaving' => 'Help us improve by telling us why (optional)', - 'webhook_success' => 'Webhook Success', - 'error_cross_client_tasks' => 'Tasks must all belong to the same client', + 'why_are_you_leaving' => 'Ajude-nos a melhorar dizendo-nos o porquê (opcional)', + 'webhook_success' => 'Webhook de sucesso', + 'error_cross_client_tasks' => 'As tarefas devem pertencer ao mesmo cliente', 'error_cross_client_expenses' => 'As despesas devem pertencer ao mesmo cliente', - 'app' => 'App', - 'for_best_performance' => 'For the best performance download the :app app', - 'bulk_email_invoice' => 'Email Invoice', - 'bulk_email_quote' => 'Email Quote', - 'bulk_email_credit' => 'Email Credit', - 'removed_recurring_expense' => 'Successfully removed recurring expense', - 'search_recurring_expense' => 'Search Recurring Expense', + 'app' => 'Aplicativo', + 'for_best_performance' => 'Para obter o melhor desempenho, baixe o aplicativo :app', + 'bulk_email_invoice' => 'Fatura por e-mail', + 'bulk_email_quote' => 'Cotação por e-mail', + 'bulk_email_credit' => 'Crédito de e-mail', + 'removed_recurring_expense' => 'Despesa recorrente removida com sucesso', + 'search_recurring_expense' => 'Pesquisar Despesas Recorrentes', 'search_recurring_expenses' => 'Procurar Despesas Recorentes', - 'last_sent_date' => 'Last Sent Date', - 'include_drafts' => 'Include Drafts', - 'include_drafts_help' => 'Include draft records in reports', - 'is_invoiced' => 'Is Invoiced', - 'change_plan' => 'Change Plan', - 'persist_data' => 'Persist Data', - 'customer_count' => 'Customer Count', - 'verify_customers' => 'Verify Customers', - 'google_analytics_tracking_id' => 'Google Analytics Tracking ID', - 'decimal_comma' => 'Decimal Comma', - 'use_comma_as_decimal_place' => 'Use comma as decimal place in forms', - 'select_method' => 'Select Method', - 'select_platform' => 'Select Platform', - 'use_web_app_to_connect_gmail' => 'Please use the web app to connect to Gmail', + 'last_sent_date' => 'Data do último envio', + 'include_drafts' => 'Incluir Rascunhos', + 'include_drafts_help' => 'Incluir rascunhos de registros em relatórios', + 'is_invoiced' => 'é faturado', + 'change_plan' => 'Alterar Plano', + 'persist_data' => 'dados persistentes', + 'customer_count' => 'Contagem de clientes', + 'verify_customers' => 'Verificar clientes', + 'google_analytics_tracking_id' => 'ID de acompanhamento do Google Analytics', + 'decimal_comma' => 'vírgula decimal', + 'use_comma_as_decimal_place' => 'Use vírgula como casa decimal em formulários', + 'select_method' => 'Selecione o método', + 'select_platform' => 'Selecione a plataforma', + 'use_web_app_to_connect_gmail' => 'Use o aplicativo da Web para se conectar ao Gmail', 'expense_tax_help' => 'As taxas de imposto do produto estão desativadas', - 'enable_markdown' => 'Enable Markdown', - 'enable_markdown_help' => 'Convert markdown to HTML on the PDF', + 'enable_markdown' => 'Habilitar Markdown', + 'enable_markdown_help' => 'Converter markdown em HTML no PDF', 'add_second_contact' => 'Adicionar Segundo Contato', - 'previous_page' => 'Previous Page', - 'next_page' => 'Next Page', - 'export_colors' => 'Export Colors', - 'import_colors' => 'Import Colors', - 'clear_all' => 'Clear All', - 'contrast' => 'Contrast', - 'custom_colors' => 'Custom Colors', - 'colors' => 'Colors', - 'sidebar_active_background_color' => 'Sidebar Active Background Color', - 'sidebar_active_font_color' => 'Sidebar Active Font Color', - 'sidebar_inactive_background_color' => 'Sidebar Inactive Background Color', - 'sidebar_inactive_font_color' => 'Sidebar Inactive Font Color', - 'table_alternate_row_background_color' => 'Table Alternate Row Background Color', - 'invoice_header_background_color' => 'Invoice Header Background Color', - 'invoice_header_font_color' => 'Invoice Header Font Color', - 'review_app' => 'Review App', - 'check_status' => 'Check Status', - 'free_trial' => 'Free Trial', - 'free_trial_help' => 'All accounts receive a two week trial of the Pro plan, once the trial ends your account will automatically change to the free plan.', - 'free_trial_ends_in_days' => 'The Pro plan trial ends in :count days, click to upgrade.', - 'free_trial_ends_today' => 'Today is the last day of the Pro plan trial, click to upgrade.', - 'change_email' => 'Change Email', - 'client_portal_domain_hint' => 'Optionally configure a separate client portal domain', - 'tasks_shown_in_portal' => 'Tasks Shown in Portal', - 'uninvoiced' => 'Uninvoiced', - 'subdomain_guide' => 'The subdomain is used in the client portal to personalize links to match your brand. ie, https://your-brand.invoicing.co', - 'send_time' => 'Send Time', - 'import_settings' => 'Import Settings', - 'json_file_missing' => 'Please provide the JSON file', - 'json_option_missing' => 'Please select to import the settings and/or data', + 'previous_page' => 'Página anterior', + 'next_page' => 'Próxima página', + 'export_colors' => 'Cores de exportação', + 'import_colors' => 'Importar Cores', + 'clear_all' => 'Limpar tudo', + 'contrast' => 'Contraste', + 'custom_colors' => 'Cores personalizadas', + 'colors' => 'cores', + 'sidebar_active_background_color' => 'Cor de fundo ativa da barra lateral', + 'sidebar_active_font_color' => 'Cor da Fonte Ativa da Barra Lateral', + 'sidebar_inactive_background_color' => 'Cor de fundo inativa da barra lateral', + 'sidebar_inactive_font_color' => 'Cor da fonte inativa da barra lateral', + 'table_alternate_row_background_color' => 'Cor de fundo da linha alternativa da tabela', + 'invoice_header_background_color' => 'Cor de fundo do cabeçalho da fatura', + 'invoice_header_font_color' => 'Cor da Fonte do Cabeçalho da Fatura', + 'review_app' => 'Avaliar aplicativo', + 'check_status' => 'Verificar status', + 'free_trial' => 'Teste grátis', + 'free_trial_help' => 'Todas as contas recebem uma avaliação de duas semanas do plano Pro, assim que a avaliação terminar, sua conta mudará automaticamente para o plano gratuito.', + 'free_trial_ends_in_days' => 'A avaliação do plano Pro termina em :count dias, clique para atualizar.', + 'free_trial_ends_today' => 'Hoje é o último dia de teste do plano Pro, clique para atualizar.', + 'change_email' => 'Mude o e-mail', + 'client_portal_domain_hint' => 'Opcionalmente, configure um domínio separado do portal do cliente', + 'tasks_shown_in_portal' => 'Tarefas Mostradas no Portal', + 'uninvoiced' => 'Não faturado', + 'subdomain_guide' => 'O subdomínio é usado no portal do cliente para personalizar links para combinar com sua marca. ou seja, https://your-brand.invoicing.co', + 'send_time' => 'Hora de envio', + 'import_settings' => 'Configurações de Importação', + 'json_file_missing' => 'Forneça o arquivo JSON', + 'json_option_missing' => 'Selecione para importar as configurações e/ou dados', 'json' => 'JSON', - 'no_payment_types_enabled' => 'No payment types enabled', - 'wait_for_data' => 'Please wait for the data to finish loading', + 'no_payment_types_enabled' => 'Nenhum tipo de pagamento ativado', + 'wait_for_data' => 'Aguarde até que os dados terminem de carregar', 'net_total' => 'Total Líquido', 'has_taxes' => 'Tem Impostos', - 'import_customers' => 'Import Customers', - 'imported_customers' => 'Successfully started importing customers', - 'login_success' => 'Successful Login', - 'login_failure' => 'Failed Login', - 'exported_data' => 'Once the file is ready you"ll receive an email with a download link', - 'include_deleted_clients' => 'Include Deleted Clients', - 'include_deleted_clients_help' => 'Load records belonging to deleted clients', - 'step_1_sign_in' => 'Step 1: Sign In', - 'step_2_authorize' => 'Step 2: Authorize', - 'account_id' => 'Account ID', + 'import_customers' => 'Importar Clientes', + 'imported_customers' => 'Começou a importar clientes com sucesso', + 'login_success' => 'Login realizado com sucesso', + 'login_failure' => 'Falha de login', + 'exported_data' => 'Quando o arquivo estiver pronto, você receberá um e-mail com um link para download', + 'include_deleted_clients' => 'Incluir clientes excluídos', + 'include_deleted_clients_help' => 'Carregar registros pertencentes a clientes excluídos', + 'step_1_sign_in' => 'Etapa 1: faça login', + 'step_2_authorize' => 'Etapa 2: autorizar', + 'account_id' => 'ID da conta', 'migration_not_yet_completed' => 'A migração ainda não foi concluída', - 'show_task_end_date' => 'Show Task End Date', - 'show_task_end_date_help' => 'Enable specifying the task end date', - 'gateway_setup' => 'Gateway Setup', - 'preview_sidebar' => 'Preview Sidebar', - 'years_data_shown' => 'Years Data Shown', - 'ended_all_sessions' => 'Successfully ended all sessions', - 'end_all_sessions' => 'End All Sessions', - 'count_session' => '1 Session', - 'count_sessions' => ':count Sessions', + 'show_task_end_date' => 'Mostrar Data Final da Tarefa', + 'show_task_end_date_help' => 'Ativar a especificação da data final da tarefa', + 'gateway_setup' => 'Configuração do gateway', + 'preview_sidebar' => 'Visualização da Barra Lateral', + 'years_data_shown' => 'Dados de anos mostrados', + 'ended_all_sessions' => 'Todas as sessões encerradas com sucesso', + 'end_all_sessions' => 'Terminar todas as sessões', + 'count_session' => '1 Sessão', + 'count_sessions' => ':count Sessões', 'invoice_created' => 'Nota De Pagamento Criada', 'quote_created' => 'Orçamento Criado', 'credit_created' => 'Crédito Criado', - 'enterprise' => 'Enterprise', + 'enterprise' => 'Empreendimento', 'invoice_item' => 'Produtos na Nota Pag.', 'quote_item' => 'Produto do Orçamento', - 'order' => 'Order', - 'search_kanban' => 'Search Kanban', - 'search_kanbans' => 'Search Kanban', - 'move_top' => 'Move Top', - 'move_up' => 'Move Up', - 'move_down' => 'Move Down', - 'move_bottom' => 'Move Bottom', - 'body_variable_missing' => 'Error: the custom email must include a :body variable', - 'add_body_variable_message' => 'Make sure to include a :body variable', - 'view_date_formats' => 'View Date Formats', - 'is_viewed' => 'Is Viewed', - 'letter' => 'Letter', - 'legal' => 'Legal', - 'page_layout' => 'Page Layout', - 'portrait' => 'Portrait', - 'landscape' => 'Landscape', - 'owner_upgrade_to_paid_plan' => 'The account owner can upgrade to a paid plan to enable the advanced advanced settings', - 'upgrade_to_paid_plan' => 'Upgrade to a paid plan to enable the advanced settings', + 'order' => 'Ordem', + 'search_kanban' => 'Pesquisar Kanban', + 'search_kanbans' => 'Pesquisar Kanban', + 'move_top' => 'mover para cima', + 'move_up' => 'Subir', + 'move_down' => 'mover para baixo', + 'move_bottom' => 'mover para baixo', + 'body_variable_missing' => 'Erro: o e-mail personalizado deve incluir uma variável :body', + 'add_body_variable_message' => 'Certifique-se de incluir uma variável :body', + 'view_date_formats' => 'Exibir formatos de data', + 'is_viewed' => 'é visto', + 'letter' => 'Carta', + 'legal' => 'Jurídico', + 'page_layout' => 'Layout da página', + 'portrait' => 'Retrato', + 'landscape' => 'Paisagem', + 'owner_upgrade_to_paid_plan' => 'O proprietário da conta pode atualizar para um plano pago para habilitar as configurações avançadas avançadas', + 'upgrade_to_paid_plan' => 'Atualize para um plano pago para habilitar as configurações avançadas', 'invoice_payment_terms' => 'Condições da Nota de Pag.', 'quote_valid_until' => 'Orçamento Valido Até', - 'no_headers' => 'No Headers', - 'add_header' => 'Add Header', - 'remove_header' => 'Remove Header', - 'return_url' => 'Return URL', - 'rest_method' => 'REST Method', - 'header_key' => 'Header Key', - 'header_value' => 'Header Value', - 'recurring_products' => 'Recurring Products', + 'no_headers' => 'Sem cabeçalhos', + 'add_header' => 'Adicionar cabeçalho', + 'remove_header' => 'Remover Cabeçalho', + 'return_url' => 'URL de retorno', + 'rest_method' => 'Método REST', + 'header_key' => 'Chave de Cabeçalho', + 'header_value' => 'Valor do Cabeçalho', + 'recurring_products' => 'Produtos Recorrentes', 'promo_discount' => 'Desconto Promocional', - 'allow_cancellation' => 'Allow Cancellation', - 'per_seat_enabled' => 'Per Seat Enabled', - 'max_seats_limit' => 'Max Seats Limit', - 'trial_enabled' => 'Trial Enabled', - 'trial_duration' => 'Trial Duration', - 'allow_query_overrides' => 'Allow Query Overrides', - 'allow_plan_changes' => 'Allow Plan Changes', - 'plan_map' => 'Plan Map', - 'refund_period' => 'Refund Period', - 'webhook_configuration' => 'Webhook Configuration', - 'purchase_page' => 'Purchase Page', - 'email_bounced' => 'Email Bounced', - 'email_spam_complaint' => 'Spam Complaint', - 'email_delivery' => 'Email Delivery', - 'webhook_response' => 'Webhook Response', - 'pdf_response' => 'PDF Response', - 'authentication_failure' => 'Authentication Failure', - 'pdf_failed' => 'PDF Failed', - 'pdf_success' => 'PDF Success', - 'modified' => 'Modified', - 'html_mode' => 'HTML Mode', - 'html_mode_help' => 'Preview updates faster but is less accurate', - 'status_color_theme' => 'Status Color Theme', - 'load_color_theme' => 'Load Color Theme', - 'lang_Estonian' => 'Estonian', - 'marked_credit_as_paid' => 'Successfully marked credit as paid', - 'marked_credits_as_paid' => 'Successfully marked credits as paid', - 'wait_for_loading' => 'Data loading - please wait for it to complete', - 'wait_for_saving' => 'Data saving - please wait for it to complete', - 'html_preview_warning' => 'Note: changes made here are only previewed, they must be applied in the tabs above to be saved', - 'remaining' => 'Remaining', - 'invoice_paid' => 'Invoice Paid', - 'activity_120' => ':user created recurring expense :recurring_expense', - 'activity_121' => ':user updated recurring expense :recurring_expense', - 'activity_122' => ':user archived recurring expense :recurring_expense', - 'activity_123' => ':user deleted recurring expense :recurring_expense', - 'activity_124' => ':user restored recurring expense :recurring_expense', + 'allow_cancellation' => 'Permitir cancelamento', + 'per_seat_enabled' => 'Por Lugar Habilitado', + 'max_seats_limit' => 'Limite máximo de assentos', + 'trial_enabled' => 'Teste ativado', + 'trial_duration' => 'Duração do teste', + 'allow_query_overrides' => 'Permitir substituições de consulta', + 'allow_plan_changes' => 'Permitir alterações de plano', + 'plan_map' => 'Mapa do Plano', + 'refund_period' => 'Período de Reembolso', + 'webhook_configuration' => 'Configuração do webhook', + 'purchase_page' => 'Página de compra', + 'email_bounced' => 'Email devolvido', + 'email_spam_complaint' => 'Reclamação de Spam', + 'email_delivery' => 'Entrega de e-mail', + 'webhook_response' => 'Resposta do webhook', + 'pdf_response' => 'Resposta em PDF', + 'authentication_failure' => 'Falha de autenticação', + 'pdf_failed' => 'Falha no PDF', + 'pdf_success' => 'Sucesso do PDF', + 'modified' => 'modificado', + 'html_mode' => 'Modo HTML', + 'html_mode_help' => 'As atualizações de visualização são mais rápidas, mas menos precisas', + 'status_color_theme' => 'Tema de cores de status', + 'load_color_theme' => 'Carregar tema de cores', + 'lang_Estonian' => 'estoniano', + 'marked_credit_as_paid' => 'Crédito marcado com sucesso como pago', + 'marked_credits_as_paid' => 'Créditos marcados com sucesso como pagos', + 'wait_for_loading' => 'Carregamento de dados - aguarde a conclusão', + 'wait_for_saving' => 'Salvamento de dados - aguarde a conclusão', + 'html_preview_warning' => 'Obs: as alterações feitas aqui são apenas pré-visualizadas, devem ser aplicadas nas abas acima para serem salvas', + 'remaining' => 'Restante', + 'invoice_paid' => 'Fatura paga', + 'activity_120' => ':user criou despesa recorrente :recurring_expense', + 'activity_121' => ':user despesa recorrente atualizada :recurring_expense', + 'activity_122' => ':user despesa recorrente arquivada :recurring_expense', + 'activity_123' => ':user despesa recorrente excluída :recurring_expense', + 'activity_124' => ':user despesa recorrente restaurada :recurring_expense', 'fpx' => "FPX", - 'to_view_entity_set_password' => 'To view the :entity you need to set password.', - 'unsubscribe' => 'Unsubscribe', - 'unsubscribed' => 'Unsubscribed', - 'unsubscribed_text' => 'You have been removed from notifications for this document', - 'client_shipping_state' => 'Client Shipping State', - 'client_shipping_city' => 'Client Shipping City', - 'client_shipping_postal_code' => 'Client Shipping Postal Code', - 'client_shipping_country' => 'Client Shipping Country', - 'load_pdf' => 'Load PDF', - 'start_free_trial' => 'Start Free Trial', - 'start_free_trial_message' => 'Start your FREE 14 day trial of the pro plan', + 'to_view_entity_set_password' => 'Para visualizar o :entity, você precisa definir uma senha.', + 'unsubscribe' => 'Cancelar subscrição', + 'unsubscribed' => 'Desinscrito', + 'unsubscribed_text' => 'Você foi removido das notificações deste documento', + 'client_shipping_state' => 'Estado de envio do cliente', + 'client_shipping_city' => 'Cidade de envio do cliente', + 'client_shipping_postal_code' => 'Código Postal de Envio do Cliente', + 'client_shipping_country' => 'País de envio do cliente', + 'load_pdf' => 'Carregar PDF', + 'start_free_trial' => 'Iniciar teste gratuito', + 'start_free_trial_message' => 'Comece seu teste GRATUITO de 14 dias do plano pro', 'due_on_receipt' => 'Vence Quando Recebido', - 'is_paid' => 'Is Paid', - 'age_group_paid' => 'Paid', - 'id' => 'Id', - 'convert_to' => 'Convert To', - 'client_currency' => 'Client Currency', - 'company_currency' => 'Company Currency', - 'custom_emails_disabled_help' => 'To prevent spam we require upgrading to a paid account to customize the email', - 'upgrade_to_add_company' => 'Upgrade your plan to add companies', - 'file_saved_in_downloads_folder' => 'The file has been saved in the downloads folder', - 'small' => 'Small', - 'quotes_backup_subject' => 'Your quotes are ready for download', - 'credits_backup_subject' => 'Your credits are ready for download', - 'document_download_subject' => 'Your documents are ready for download', - 'reminder_message' => 'Reminder for invoice :number for :balance', - 'gmail_credentials_invalid_subject' => 'Send with GMail invalid credentials', - 'gmail_credentials_invalid_body' => 'Your GMail credentials are not correct, please log into the administrator portal and navigate to Settings > User Details and disconnect and reconnect your GMail account. We will send you this notification daily until this issue is resolved', + 'is_paid' => 'É pago', + 'age_group_paid' => 'Pago', + 'id' => 'Eu ia', + 'convert_to' => 'Converter para', + 'client_currency' => 'Moeda do cliente', + 'company_currency' => 'Moeda da empresa', + 'custom_emails_disabled_help' => 'Para evitar spam, precisamos atualizar para uma conta paga para personalizar o e-mail', + 'upgrade_to_add_company' => 'Atualize seu plano para adicionar empresas', + 'file_saved_in_downloads_folder' => 'O arquivo foi salvo na pasta de downloads', + 'small' => 'Pequeno', + 'quotes_backup_subject' => 'Suas cotações estão prontas para download', + 'credits_backup_subject' => 'Seus créditos estão prontos para download', + 'document_download_subject' => 'Seus documentos estão prontos para download', + 'reminder_message' => 'Lembrete para fatura :number para :balance', + 'gmail_credentials_invalid_subject' => 'Enviar com credenciais inválidas do GMail', + 'gmail_credentials_invalid_body' => 'Suas credenciais do GMail não estão corretas, faça login no portal do administrador e navegue até Configurações > Detalhes do usuário, desconecte e reconecte sua conta do GMail. Enviaremos esta notificação diariamente até que este problema seja resolvido', 'total_columns' => 'Campos Totais', - 'view_task' => 'View Task', - 'cancel_invoice' => 'Cancel', - 'changed_status' => 'Successfully changed task status', - 'change_status' => 'Change Status', - 'enable_touch_events' => 'Enable Touch Events', - 'enable_touch_events_help' => 'Support drag events to scroll', - 'after_saving' => 'After Saving', - 'view_record' => 'View Record', - 'enable_email_markdown' => 'Enable Email Markdown', - 'enable_email_markdown_help' => 'Use visual markdown editor for emails', - 'enable_pdf_markdown' => 'Enable PDF Markdown', - 'json_help' => 'Note: JSON files generated by the v4 app are not supported', - 'release_notes' => 'Release Notes', - 'upgrade_to_view_reports' => 'Upgrade your plan to view reports', - 'started_tasks' => 'Successfully started :value tasks', - 'stopped_tasks' => 'Successfully stopped :value tasks', - 'approved_quote' => 'Successfully apporved quote', + 'view_task' => 'Ver Tarefa', + 'cancel_invoice' => 'Cancelar', + 'changed_status' => 'Status da tarefa alterado com sucesso', + 'change_status' => 'Alterar estado', + 'enable_touch_events' => 'Ativar eventos de toque', + 'enable_touch_events_help' => 'Suporta eventos de arrastar para rolar', + 'after_saving' => 'Depois de Salvar', + 'view_record' => 'Exibir registro', + 'enable_email_markdown' => 'Ativar marcação de e-mail', + 'enable_email_markdown_help' => 'Use o editor de markdown visual para emails', + 'enable_pdf_markdown' => 'Ativar marcação de PDF', + 'json_help' => 'Observação: arquivos JSON gerados pelo aplicativo v4 não são compatíveis', + 'release_notes' => 'Notas de versão', + 'upgrade_to_view_reports' => 'Atualize seu plano para visualizar relatórios', + 'started_tasks' => 'Tarefas :value iniciadas com sucesso', + 'stopped_tasks' => 'Tarefas :value interrompidas com sucesso', + 'approved_quote' => 'Orçamento aprovado com sucesso', 'approved_quotes' => ':value Orçamentos Aprovados', 'client_website' => 'Site do Cliente', - 'invalid_time' => 'Invalid Time', - 'signed_in_as' => 'Signed in as', + 'invalid_time' => 'Hora Inválida', + 'signed_in_as' => 'Assinado como', 'total_results' => 'Resultados Totais', - 'restore_company_gateway' => 'Restore gateway', - 'archive_company_gateway' => 'Archive gateway', - 'delete_company_gateway' => 'Delete gateway', - 'exchange_currency' => 'Exchange currency', + 'restore_company_gateway' => 'Restaurar gateway', + 'archive_company_gateway' => 'Gateway de arquivo', + 'delete_company_gateway' => 'Excluir gateway', + 'exchange_currency' => 'Moeda de câmbio', 'tax_amount1' => 'Valor do imposto 1', 'tax_amount2' => 'Valor do imposto 2', 'tax_amount3' => 'Valor do imposto 3', - 'update_project' => 'Update Project', - 'auto_archive_invoice_cancelled' => 'Auto Archive Cancelled Invoice', - 'auto_archive_invoice_cancelled_help' => 'Automatically archive invoices when cancelled', - 'no_invoices_found' => 'No invoices found', - 'created_record' => 'Successfully created record', - 'auto_archive_paid_invoices' => 'Auto Archive Paid', - 'auto_archive_paid_invoices_help' => 'Automatically archive invoices when they are paid.', - 'auto_archive_cancelled_invoices' => 'Auto Archive Cancelled', - 'auto_archive_cancelled_invoices_help' => 'Automatically archive invoices when cancelled.', - 'alternate_pdf_viewer' => 'Alternate PDF Viewer', - 'alternate_pdf_viewer_help' => 'Improve scrolling over the PDF preview [BETA]', - 'currency_cayman_island_dollar' => 'Cayman Island Dollar', - 'download_report_description' => 'Please see attached file to check your report.', - 'left' => 'Left', - 'right' => 'Right', - 'center' => 'Center', - 'page_numbering' => 'Page Numbering', - 'page_numbering_alignment' => 'Page Numbering Alignment', + 'update_project' => 'Atualizar Projeto', + 'auto_archive_invoice_cancelled' => 'Arquivamento Automático de Fatura Cancelada', + 'auto_archive_invoice_cancelled_help' => 'Arquivar faturas automaticamente quando canceladas', + 'no_invoices_found' => 'Nenhuma fatura encontrada', + 'created_record' => 'Registro criado com sucesso', + 'auto_archive_paid_invoices' => 'Arquivamento Automático Pago', + 'auto_archive_paid_invoices_help' => 'Arquive automaticamente as faturas quando forem pagas.', + 'auto_archive_cancelled_invoices' => 'Arquivamento Automático Cancelado', + 'auto_archive_cancelled_invoices_help' => 'Arquive automaticamente as faturas quando canceladas.', + 'alternate_pdf_viewer' => 'Visualizador de PDF alternativo', + 'alternate_pdf_viewer_help' => 'Melhore a rolagem na visualização do PDF [BETA]', + 'currency_cayman_island_dollar' => 'Dólar das Ilhas Cayman', + 'download_report_description' => 'Por favor, veja o arquivo em anexo para verificar o seu relatório.', + 'left' => 'Esquerda', + 'right' => 'Certo', + 'center' => 'Centro', + 'page_numbering' => 'Numeração de página', + 'page_numbering_alignment' => 'Alinhamento de Numeração de Página', 'invoice_sent_notification_label' => 'Nota de Pagamento Enviada', - 'show_product_description' => 'Show Product Description', - 'show_product_description_help' => 'Include the description in the product dropdown', + 'show_product_description' => 'Mostrar descrição do produto', + 'show_product_description_help' => 'Inclua a descrição no menu suspenso do produto', 'invoice_items' => 'Produtos na Nota Pag.', 'quote_items' => 'Produtos do Orçamento', - 'profitloss' => 'Profit and Loss', - 'import_format' => 'Import Format', - 'export_format' => 'Export Format', - 'export_type' => 'Export Type', - 'stop_on_unpaid' => 'Stop On Unpaid', - 'stop_on_unpaid_help' => 'Stop creating recurring invoices if the last invoice is unpaid.', - 'use_quote_terms' => 'Use Quote Terms', - 'use_quote_terms_help' => 'When converting a quote to an invoice', + 'profitloss' => 'Lucros e perdas', + 'import_format' => 'Formato de Importação', + 'export_format' => 'Formato de exportação', + 'export_type' => 'Tipo de exportação', + 'stop_on_unpaid' => 'Parar em não pago', + 'stop_on_unpaid_help' => 'Pare de criar faturas recorrentes se a última fatura não for paga.', + 'use_quote_terms' => 'Usar termos de cotação', + 'use_quote_terms_help' => 'Ao converter uma cotação em uma fatura', 'add_country' => 'Adicionar País', - 'enable_tooltips' => 'Enable Tooltips', - 'enable_tooltips_help' => 'Show tooltips when hovering the mouse', - 'multiple_client_error' => 'Error: records belong to more than one client', - 'login_label' => 'Login to an existing account', - 'purchase_order' => 'Purchase Order', - 'purchase_order_number' => 'Purchase Order Number', - 'purchase_order_number_short' => 'Purchase Order #', - 'inventory_notification_subject' => 'Inventory threshold notification for product: :product', - 'inventory_notification_body' => 'Threshold of :amount has been reach for product: :product', - 'activity_130' => ':user created purchase order :purchase_order', - 'activity_131' => ':user updated purchase order :purchase_order', - 'activity_132' => ':user archived purchase order :purchase_order', - 'activity_133' => ':user deleted purchase order :purchase_order', - 'activity_134' => ':user restored purchase order :purchase_order', - 'activity_135' => ':user emailed purchase order :purchase_order', - 'activity_136' => ':contact viewed purchase order :purchase_order', - 'purchase_order_subject' => 'New Purchase Order :number from :account', + 'enable_tooltips' => 'Ativar dicas de ferramentas', + 'enable_tooltips_help' => 'Mostrar dicas de ferramentas ao passar o mouse', + 'multiple_client_error' => 'Erro: registros pertencem a mais de um cliente', + 'login_label' => 'Faça login em uma conta existente', + 'purchase_order' => 'Ordem de Compra', + 'purchase_order_number' => 'Número da ordem de compra', + 'purchase_order_number_short' => 'Ordem de Compra #', + 'inventory_notification_subject' => 'Notificação de limite de estoque para o produto: :product', + 'inventory_notification_body' => 'O limite de :amount foi atingido para o produto: :product', + 'activity_130' => ':user ordem de compra criada :purchase_order', + 'activity_131' => ':user ordem de compra atualizada :purchase_order', + 'activity_132' => ':user ordem de compra arquivada :purchase_order', + 'activity_133' => ':user pedido de compra excluído :purchase_order', + 'activity_134' => ':user ordem de compra restaurada :purchase_order', + 'activity_135' => ':user pedido de compra enviado por e-mail :purchase_order', + 'activity_136' => ':contact pedido de compra visualizado :purchase_order', + 'purchase_order_subject' => 'Nova ordem de compra :number de :account', 'purchase_order_message' => 'Para visualizar seu pedido de compra de :amount, clique no link abaixo.', - 'view_purchase_order' => 'View Purchase Order', - 'purchase_orders_backup_subject' => 'Your purchase orders are ready for download', - '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.', - 'purchase_order_date' => 'Purchase Order Date', - 'purchase_orders' => 'Purchase Orders', - 'purchase_order_number_placeholder' => 'Purchase Order # :purchase_order', - 'accepted' => 'Accepted', - 'activity_137' => ':contact accepted purchase order :purchase_order', - 'vendor_information' => 'Vendor Information', - 'notification_purchase_order_accepted_subject' => 'Purchase Order :purchase_order was accepted by :vendor', - 'notification_purchase_order_accepted' => 'The following vendor :vendor accepted Purchase Order :purchase_order for :amount.', + 'view_purchase_order' => 'Ver Ordem de Compra', + 'purchase_orders_backup_subject' => 'Seus pedidos de compra estão prontos para download', + 'notification_purchase_order_viewed_subject' => 'Ordem de compra :invoice foi visualizada por :client', + 'notification_purchase_order_viewed' => 'O seguinte fornecedor :client visualizou o pedido de compra :invoice para :amount.', + 'purchase_order_date' => 'Data da Ordem de Compra', + 'purchase_orders' => 'Ordens de compra', + 'purchase_order_number_placeholder' => 'Ordem de compra # :purchase_order', + 'accepted' => 'Aceitaram', + 'activity_137' => ':contact pedido de compra aceito :purchase_order', + 'vendor_information' => 'Informações de vendedor', + 'notification_purchase_order_accepted_subject' => 'O pedido de compra :purchase_order foi aceito por :vendor', + 'notification_purchase_order_accepted' => 'O seguinte fornecedor :vendor aceitou o pedido de compra :purchase_order para :amount.', 'amount_received' => 'Quantia recebida', - 'purchase_order_already_expensed' => 'Already converted to an expense.', - 'convert_to_expense' => 'Convert to Expense', - 'add_to_inventory' => 'Add to Inventory', - 'added_purchase_order_to_inventory' => 'Successfully added purchase order to inventory', - 'added_purchase_orders_to_inventory' => 'Successfully added purchase orders to inventory', + 'purchase_order_already_expensed' => 'Já convertido em despesa.', + 'convert_to_expense' => 'Converter em Despesa', + 'add_to_inventory' => 'Adicionar ao inventário', + 'added_purchase_order_to_inventory' => 'Pedido de compra adicionado com sucesso ao estoque', + 'added_purchase_orders_to_inventory' => 'Ordens de compra adicionadas com sucesso ao estoque', 'client_document_upload' => 'Carregamento de documentos do cliente', 'vendor_document_upload' => 'Carregamento de documentos do fornecedor', 'vendor_document_upload_help' => 'Permitir que fornecedores façam carregamento de documentos', - 'are_you_enjoying_the_app' => 'Are you enjoying the app?', - 'yes_its_great' => 'Yes, it"s great!', - 'not_so_much' => 'Not so much', - 'would_you_rate_it' => 'Great to hear! Would you like to rate it?', - 'would_you_tell_us_more' => 'Sorry to hear it! Would you like to tell us more?', - 'sure_happy_to' => 'Sure, happy to', - 'no_not_now' => 'No, not now', - 'add' => 'Add', - 'last_sent_template' => 'Last Sent Template', - 'enable_flexible_search' => 'Enable Flexible Search', - 'enable_flexible_search_help' => 'Match non-contiguous characters, ie. "ct" matches "cat"', - 'vendor_details' => 'Vendor Details', - 'purchase_order_details' => 'Purchase Order Details', + 'are_you_enjoying_the_app' => 'Você está gostando do aplicativo?', + 'yes_its_great' => 'Sim, é ótimo!', + 'not_so_much' => 'Não muito', + 'would_you_rate_it' => 'Ótimo para ouvir! Gostaria de avaliá-lo?', + 'would_you_tell_us_more' => 'Desculpe ouvir isso! Gostaria de nos dizer mais?', + 'sure_happy_to' => 'Claro, feliz em', + 'no_not_now' => 'Não, agora não', + 'add' => 'Adicionar', + 'last_sent_template' => 'Último Modelo Enviado', + 'enable_flexible_search' => 'Ativar pesquisa flexível', + 'enable_flexible_search_help' => 'Corresponde a caracteres não contíguos, ou seja. "ct" corresponde a "gato"', + 'vendor_details' => 'Detalhes do fornecedor', + 'purchase_order_details' => 'Detalhes do pedido de compra', 'qr_iban' => 'QR IBAN', - 'besr_id' => 'BESR ID', - 'clone_to_purchase_order' => 'Clone to PO', - 'vendor_email_not_set' => 'Vendor does not have an email address set', - 'bulk_send_email' => 'Send Email', - 'marked_purchase_order_as_sent' => 'Successfully marked purchase order as sent', - 'marked_purchase_orders_as_sent' => 'Successfully marked purchase orders as sent', - 'accepted_purchase_order' => 'Successfully accepted purchase order', - 'accepted_purchase_orders' => 'Successfully accepted purchase orders', - 'cancelled_purchase_order' => 'Successfully cancelled purchase order', - 'cancelled_purchase_orders' => 'Successfully cancelled purchase orders', - 'please_select_a_vendor' => 'Please select a vendor', + 'besr_id' => 'ID BESR', + 'clone_to_purchase_order' => 'Clonar para PO', + 'vendor_email_not_set' => 'O fornecedor não tem um endereço de e-mail definido', + 'bulk_send_email' => 'Enviar email', + 'marked_purchase_order_as_sent' => 'Ordem de compra marcada com sucesso como enviada', + 'marked_purchase_orders_as_sent' => 'Ordens de compra marcadas com sucesso como enviadas', + 'accepted_purchase_order' => 'Pedido de compra aceito com sucesso', + 'accepted_purchase_orders' => 'Pedidos de compra aceitos com sucesso', + 'cancelled_purchase_order' => 'Pedido de compra cancelado com sucesso', + 'cancelled_purchase_orders' => 'Ordens de compra canceladas com sucesso', + 'please_select_a_vendor' => 'Selecione um fornecedor', 'purchase_order_total' => 'Total de Pedidos de Compra', - 'email_purchase_order' => 'Email Purchase Order', - 'bulk_email_purchase_order' => 'Email Purchase Order', - 'disconnected_email' => 'Successfully disconnected email', - 'connect_email' => 'Connect Email', - 'disconnect_email' => 'Disconnect Email', - 'use_web_app_to_connect_microsoft' => 'Please use the web app to connect to Microsoft', - 'email_provider' => 'Email Provider', - 'connect_microsoft' => 'Connect Microsoft', - 'disconnect_microsoft' => 'Disconnect Microsoft', - 'connected_microsoft' => 'Successfully connected Microsoft', - 'disconnected_microsoft' => 'Successfully disconnected Microsoft', - 'microsoft_sign_in' => 'Login with Microsoft', - 'microsoft_sign_up' => 'Sign up with Microsoft', - 'emailed_purchase_order' => 'Successfully queued purchase order to be sent', - 'emailed_purchase_orders' => 'Successfully queued purchase orders to be sent', + 'email_purchase_order' => 'Ordem de compra por e-mail', + 'bulk_email_purchase_order' => 'Ordem de compra por e-mail', + 'disconnected_email' => 'E-mail desconectado com sucesso', + 'connect_email' => 'Conectar e-mail', + 'disconnect_email' => 'Desconectar e-mail', + 'use_web_app_to_connect_microsoft' => 'Use o aplicativo da Web para se conectar à Microsoft', + 'email_provider' => 'provedor de e-mail', + 'connect_microsoft' => 'Conectar Microsoft', + 'disconnect_microsoft' => 'Desconectar Microsoft', + 'connected_microsoft' => 'Microsoft conectado com sucesso', + 'disconnected_microsoft' => 'Microsoft desconectado com sucesso', + 'microsoft_sign_in' => 'Entrar com a Microsoft', + 'microsoft_sign_up' => 'Inscreva-se na Microsoft', + 'emailed_purchase_order' => 'Ordem de compra enfileirada com sucesso a ser enviada', + 'emailed_purchase_orders' => 'Ordens de compra enfileiradas com sucesso a serem enviadas', 'enable_react_app' => 'Mude para o aplicativo web React', - 'purchase_order_design' => 'Purchase Order Design', - 'purchase_order_terms' => 'Purchase Order Terms', - 'purchase_order_footer' => 'Purchase Order Footer', - 'require_purchase_order_signature' => 'Purchase Order Signature', - 'require_purchase_order_signature_help' => 'Require vendor to provide their signature.', - 'new_purchase_order' => 'New Purchase Order', - 'edit_purchase_order' => 'Edit Purchase Order', - 'created_purchase_order' => 'Successfully created purchase order', - 'updated_purchase_order' => 'Successfully updated purchase order', - 'archived_purchase_order' => 'Successfully archived purchase order', - 'deleted_purchase_order' => 'Successfully deleted purchase order', - 'removed_purchase_order' => 'Successfully removed purchase order', - 'restored_purchase_order' => 'Successfully restored purchase order', - 'search_purchase_order' => 'Search Purchase Order', - 'search_purchase_orders' => 'Search Purchase Orders', - 'login_url' => 'Login URL', + 'purchase_order_design' => 'Projeto de ordem de compra', + 'purchase_order_terms' => 'Termos do pedido de compra', + 'purchase_order_footer' => 'Rodapé da ordem de compra', + 'require_purchase_order_signature' => 'Assinatura do pedido de compra', + 'require_purchase_order_signature_help' => 'Exigir que o fornecedor forneça sua assinatura.', + 'new_purchase_order' => 'Nova ordem de compra', + 'edit_purchase_order' => 'Editar ordem de compra', + 'created_purchase_order' => 'Ordem de compra criada com sucesso', + 'updated_purchase_order' => 'Ordem de compra atualizada com sucesso', + 'archived_purchase_order' => 'Ordem de compra arquivada com sucesso', + 'deleted_purchase_order' => 'Ordem de compra excluída com sucesso', + 'removed_purchase_order' => 'Ordem de compra removida com sucesso', + 'restored_purchase_order' => 'Ordem de compra restaurada com sucesso', + 'search_purchase_order' => 'Pesquisar ordem de compra', + 'search_purchase_orders' => 'Pesquisar Pedidos de Compra', + 'login_url' => 'URL de login', 'enable_applying_payments' => 'Ativar a Aplicação de Pagamentos', 'enable_applying_payments_help' => 'Ajuda à criação e aplicação de pagamentos separadamente', 'stock_quantity' => 'Quantidade em Stock', 'notification_threshold' => 'Limite de Notificação', - 'track_inventory' => 'Track Inventory', + 'track_inventory' => 'Rastreie o Inventário', 'track_inventory_help' => 'Exibir o stock de produtos e atualizar quando as faturas forem enviadas', 'stock_notifications' => 'Notificações de Stock', 'stock_notifications_help' => 'Enviar um e-mail quando o stock atingir o limite', - 'vat' => 'VAT', - 'view_map' => 'View Map', - 'set_default_design' => 'Set Default Design', - 'add_gateway_help_message' => 'Add a payment gateway (ie. Stripe, WePay or PayPal) to accept online payments', - 'purchase_order_issued_to' => 'Purchase Order issued to', - 'archive_task_status' => 'Archive Task Status', - 'delete_task_status' => 'Delete Task Status', - 'restore_task_status' => 'Restore Task Status', - 'lang_Hebrew' => 'Hebrew', - 'price_change_accepted' => 'Price change accepted', - 'price_change_failed' => 'Price change failed with code', - 'restore_purchases' => 'Restore Purchases', - 'activate' => 'Activate', - 'connect_apple' => 'Connect Apple', - 'disconnect_apple' => 'Disconnect Apple', - 'disconnected_apple' => 'Successfully disconnected Apple', - 'send_now' => 'Send Now', - 'received' => 'Received', - 'converted_to_expense' => 'Successfully converted to expense', + 'vat' => 'CUBA', + 'view_map' => 'Ver mapa', + 'set_default_design' => 'Definir design padrão', + 'add_gateway_help_message' => 'Adicione um gateway de pagamento (ou seja, Stripe, WePay ou PayPal) para aceitar pagamentos online', + 'purchase_order_issued_to' => 'Ordem de compra emitida para', + 'archive_task_status' => 'Arquivar status da tarefa', + 'delete_task_status' => 'Excluir status da tarefa', + 'restore_task_status' => 'Restaurar status da tarefa', + 'lang_Hebrew' => 'hebraico', + 'price_change_accepted' => 'Alteração de preço aceita', + 'price_change_failed' => 'A alteração de preço falhou com o código', + 'restore_purchases' => 'Restaurar compras', + 'activate' => 'Ativar', + 'connect_apple' => 'Conectar Apple', + 'disconnect_apple' => 'Desconecte a Apple', + 'disconnected_apple' => 'Apple desconectado com sucesso', + 'send_now' => 'Envie agora', + 'received' => 'Recebido', + 'converted_to_expense' => 'Convertido com sucesso em despesa', 'converted_to_expenses' => 'Convertido para despesas', - 'entity_removed' => 'This document has been removed, please contact the vendor for further information', - 'entity_removed_title' => 'Document no longer available', + 'entity_removed' => 'Este documento foi removido, entre em contato com o fornecedor para obter mais informações', + 'entity_removed_title' => 'Documento não mais disponível', 'field' => 'Campo', - 'period' => 'Period', + 'period' => 'Período', 'fields_per_row' => 'Campos Por Linha', 'total_active_invoices' => 'Notas De Pag. Ativas', 'total_outstanding_invoices' => 'Notas Pag. Pendentes', @@ -4703,346 +4703,362 @@ O envio de E-mails foi suspenso. Será retomado às 23:00 UTC.', 'total_approved_quotes' => 'Orçamentos Aprovados', 'total_unapproved_quotes' => 'Orçamentos Recusados', 'total_logged_tasks' => 'Tarefas Registadas', - 'total_invoiced_tasks' => 'Invoiced Tasks', - 'total_paid_tasks' => 'Paid Tasks', + 'total_invoiced_tasks' => 'Tarefas faturadas', + 'total_paid_tasks' => 'Tarefas pagas', 'total_logged_expenses' => 'Despesas Registadas', 'total_pending_expenses' => 'Despesas Pendentes', 'total_invoiced_expenses' => 'Despesas Faturadas', 'total_invoice_paid_expenses' => 'Despesas pagas na fatura', - 'vendor_portal' => 'Vendor Portal', - 'send_code' => 'Send Code', + 'vendor_portal' => 'Portal do fornecedor', + 'send_code' => 'Enviar código', 'save_to_upload_documents' => 'Guardar o registro para carregar documentos', 'expense_tax_rates' => 'Taxas de Imposto da Despesa', 'invoice_item_tax_rates' => 'Taxas de imposto do produto da fatura', - 'verified_phone_number' => 'Successfully verified phone number', - 'code_was_sent' => 'A code has been sent via SMS', - 'resend' => 'Resend', - 'verify' => 'Verify', - 'enter_phone_number' => 'Please provide a phone number', - 'invalid_phone_number' => 'Invalid phone number', - 'verify_phone_number' => 'Verify Phone Number', - 'verify_phone_number_help' => 'Please verify your phone number to send emails', - 'merged_clients' => 'Successfully merged clients', - 'merge_into' => 'Merge Into', - 'php81_required' => 'Note: v5.5 requires PHP 8.1', - 'bulk_email_purchase_orders' => 'Email Purchase Orders', - 'bulk_email_invoices' => 'Email Invoices', - 'bulk_email_quotes' => 'Email Quotes', - 'bulk_email_credits' => 'Email Credits', - 'archive_purchase_order' => 'Archive Purchase Order', - 'restore_purchase_order' => 'Restore Purchase Order', - 'delete_purchase_order' => 'Delete Purchase Order', - 'connect' => 'Connect', - 'mark_paid_payment_email' => 'Mark Paid Payment Email', - 'convert_to_project' => 'Convert to Project', - 'client_email' => 'Client Email', - 'invoice_task_project' => 'Invoice Task Project', - 'invoice_task_project_help' => 'Add the project to the invoice line items', - 'bulk_action' => 'Bulk Action', - 'phone_validation_error' => 'This mobile (cell) phone number is not valid, please enter in E.164 format', - 'transaction' => 'Transaction', - 'disable_2fa' => 'Disable 2FA', - 'change_number' => 'Change Number', - 'resend_code' => 'Resend Code', - 'base_type' => 'Base Type', - 'category_type' => 'Category Type', - 'bank_transaction' => 'Transaction', - 'bulk_print' => 'Print PDF', - 'vendor_postal_code' => 'Vendor Postal Code', - 'preview_location' => 'Preview Location', - 'bottom' => 'Bottom', - 'side' => 'Side', - 'pdf_preview' => 'PDF Preview', - 'long_press_to_select' => 'Long Press to Select', - 'purchase_order_item' => 'Purchase Order Item', - 'would_you_rate_the_app' => 'Would you like to rate the app?', - 'include_deleted' => 'Include Deleted', - 'include_deleted_help' => 'Include deleted records in reports', - 'due_on' => 'Due On', - 'browser_pdf_viewer' => 'Use Browser PDF Viewer', - 'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF', - 'converted_transactions' => 'Successfully converted transactions', - 'default_category' => 'Default Category', - 'connect_accounts' => 'Connect Accounts', - 'manage_rules' => 'Manage Rules', - 'search_category' => 'Search 1 Category', - 'search_categories' => 'Search :count Categories', - 'min_amount' => 'Min Amount', - 'max_amount' => 'Max Amount', - 'converted_transaction' => 'Successfully converted transaction', - 'convert_to_payment' => 'Convert to Payment', - 'deposit' => 'Deposit', - 'withdrawal' => 'Withdrawal', - 'deposits' => 'Deposits', - 'withdrawals' => 'Withdrawals', - 'matched' => 'Matched', - 'unmatched' => 'Unmatched', - 'create_credit' => 'Create Credit', - 'transactions' => 'Transactions', - 'new_transaction' => 'New Transaction', - 'edit_transaction' => 'Edit Transaction', - 'created_transaction' => 'Successfully created transaction', - 'updated_transaction' => 'Successfully updated transaction', - 'archived_transaction' => 'Successfully archived transaction', - 'deleted_transaction' => 'Successfully deleted transaction', - 'removed_transaction' => 'Successfully removed transaction', - 'restored_transaction' => 'Successfully restored transaction', - 'search_transaction' => 'Search Transaction', - 'search_transactions' => 'Search :count Transactions', - 'deleted_bank_account' => 'Successfully deleted bank account', - 'removed_bank_account' => 'Successfully removed bank account', - 'restored_bank_account' => 'Successfully restored bank account', - 'search_bank_account' => 'Search Bank Account', - 'search_bank_accounts' => 'Search :count Bank Accounts', - 'code_was_sent_to' => 'A code has been sent via SMS to :number', - 'verify_phone_number_2fa_help' => 'Please verify your phone number for 2FA backup', - 'enable_applying_payments_later' => 'Enable Applying Payments Later', - 'line_item_tax_rates' => 'Line Item Tax Rates', - 'show_tasks_in_client_portal' => 'Show Tasks in Client Portal', - 'notification_quote_expired_subject' => 'Quote :invoice has expired for :client', - 'notification_quote_expired' => 'The following Quote :invoice for client :client and :amount has now expired.', - 'auto_sync' => 'Auto Sync', - 'refresh_accounts' => 'Refresh Accounts', - 'upgrade_to_connect_bank_account' => 'Upgrade to Enterprise to connect your bank account', - 'click_here_to_connect_bank_account' => 'Click here to connect your bank account', - 'include_tax' => 'Include tax', - 'email_template_change' => 'E-mail template body can be changed on', - 'task_update_authorization_error' => 'Insufficient permissions, or task may be locked', - 'cash_vs_accrual' => 'Accrual accounting', - 'cash_vs_accrual_help' => 'Turn on for accrual reporting, turn off for cash basis reporting.', - 'expense_paid_report' => 'Expensed reporting', - 'expense_paid_report_help' => 'Turn on for reporting all expenses, turn off for reporting only paid expenses', - 'online_payment_email_help' => 'Send an email when an online payment is made', - 'manual_payment_email_help' => 'Send an email when manually entering a payment', - 'mark_paid_payment_email_help' => 'Send an email when marking an invoice as paid', - 'linked_transaction' => 'Successfully linked transaction', - 'link_payment' => 'Link Payment', - 'link_expense' => 'Link Expense', - 'lock_invoiced_tasks' => 'Lock Invoiced Tasks', - 'lock_invoiced_tasks_help' => 'Prevent tasks from being edited once invoiced', - 'registration_required_help' => 'Require clients to register', - 'use_inventory_management' => 'Use Inventory Management', - 'use_inventory_management_help' => 'Require products to be in stock', - 'optional_products' => 'Optional Products', - 'optional_recurring_products' => 'Optional Recurring Products', - 'convert_matched' => 'Convert', - 'auto_billed_invoice' => 'Successfully queued invoice to be auto-billed', - 'auto_billed_invoices' => 'Successfully queued invoices to be auto-billed', - 'operator' => 'Operator', - 'value' => 'Value', - 'is' => 'Is', - 'contains' => 'Contains', - 'starts_with' => 'Starts with', - 'is_empty' => 'Is empty', - 'add_rule' => 'Add Rule', - 'match_all_rules' => 'Match All Rules', - 'match_all_rules_help' => 'All criteria needs to match for the rule to be applied', - 'auto_convert_help' => 'Automatically convert matched transactions to expenses', - 'rules' => 'Rules', - 'transaction_rule' => 'Transaction Rule', - 'transaction_rules' => 'Transaction Rules', - 'new_transaction_rule' => 'New Transaction Rule', - 'edit_transaction_rule' => 'Edit Transaction Rule', - 'created_transaction_rule' => 'Successfully created rule', - 'updated_transaction_rule' => 'Successfully updated transaction rule', - 'archived_transaction_rule' => 'Successfully archived transaction rule', - 'deleted_transaction_rule' => 'Successfully deleted transaction rule', - 'removed_transaction_rule' => 'Successfully removed transaction rule', - 'restored_transaction_rule' => 'Successfully restored transaction rule', - 'search_transaction_rule' => 'Search Transaction Rule', - 'search_transaction_rules' => 'Search Transaction Rules', + 'verified_phone_number' => 'Número de telefone verificado com sucesso', + 'code_was_sent' => 'Um código foi enviado via SMS', + 'resend' => 'Reenviar', + 'verify' => 'Verificar', + 'enter_phone_number' => 'Forneça um número de telefone', + 'invalid_phone_number' => 'Número de telefone inválido', + 'verify_phone_number' => 'Verificar número de telefone', + 'verify_phone_number_help' => 'Verifique seu número de telefone para enviar e-mails', + 'merged_clients' => 'Clientes mesclados com sucesso', + 'merge_into' => 'Mesclar em', + 'php81_required' => 'Nota: v5.5 requer PHP 8.1', + 'bulk_email_purchase_orders' => 'Pedidos de compra por e-mail', + 'bulk_email_invoices' => 'Faturas por e-mail', + 'bulk_email_quotes' => 'Cotações por e-mail', + 'bulk_email_credits' => 'Créditos de e-mail', + 'archive_purchase_order' => 'Arquivar ordem de compra', + 'restore_purchase_order' => 'Restaurar ordem de compra', + 'delete_purchase_order' => 'Excluir ordem de compra', + 'connect' => 'Conectar', + 'mark_paid_payment_email' => 'Marcar e-mail de pagamento pago', + 'convert_to_project' => 'Converter para projeto', + 'client_email' => 'E-mail do cliente', + 'invoice_task_project' => 'Projeto de Tarefa de Fatura', + 'invoice_task_project_help' => 'Adicione o projeto aos itens de linha da fatura', + 'bulk_action' => 'Ação em massa', + 'phone_validation_error' => 'Este número de celular (celular) não é válido, digite no formato E.164', + 'transaction' => 'Transação', + 'disable_2fa' => 'Desativar 2FA', + 'change_number' => 'Alterar número', + 'resend_code' => 'Reenviar código', + 'base_type' => 'Tipo básico', + 'category_type' => 'Tipo de categoria', + 'bank_transaction' => 'Transação', + 'bulk_print' => 'Imprimir PDF', + 'vendor_postal_code' => 'Código postal do fornecedor', + 'preview_location' => 'Local de visualização', + 'bottom' => 'Fundo', + 'side' => 'Lado', + 'pdf_preview' => 'Visualização de PDF', + 'long_press_to_select' => 'Pressione e segure para selecionar', + 'purchase_order_item' => 'Item de pedido de compra', + 'would_you_rate_the_app' => 'Gostaria de avaliar o aplicativo?', + 'include_deleted' => 'Incluir excluído', + 'include_deleted_help' => 'Incluir registros excluídos em relatórios', + 'due_on' => 'Devido a', + 'browser_pdf_viewer' => 'Use o visualizador de PDF do navegador', + 'browser_pdf_viewer_help' => 'Aviso: impede a interação com o aplicativo no PDF', + 'converted_transactions' => 'Transações convertidas com sucesso', + 'default_category' => 'Categoria padrão', + 'connect_accounts' => 'Conectar contas', + 'manage_rules' => 'Gerenciar regras', + 'search_category' => 'Pesquisar 1 categoria', + 'search_categories' => 'Pesquisa :count Categorias', + 'min_amount' => 'Valor mínimo', + 'max_amount' => 'Valor máximo', + 'converted_transaction' => 'Transação convertida com sucesso', + 'convert_to_payment' => 'Converter para pagamento', + 'deposit' => 'Depósito', + 'withdrawal' => 'Cancelamento', + 'deposits' => 'Depósitos', + 'withdrawals' => 'Retiradas', + 'matched' => 'Coincide', + 'unmatched' => 'Incomparável', + 'create_credit' => 'Criar crédito', + 'transactions' => 'Transações', + 'new_transaction' => 'Nova Transação', + 'edit_transaction' => 'Editar transação', + 'created_transaction' => 'Transação criada com sucesso', + 'updated_transaction' => 'Transação atualizada com sucesso', + 'archived_transaction' => 'Transação arquivada com sucesso', + 'deleted_transaction' => 'Transação excluída com sucesso', + 'removed_transaction' => 'Transação removida com sucesso', + 'restored_transaction' => 'Transação restaurada com sucesso', + 'search_transaction' => 'Pesquisar Transação', + 'search_transactions' => 'Pesquisar transações :count', + 'deleted_bank_account' => 'Conta bancária excluída com sucesso', + 'removed_bank_account' => 'Conta bancária removida com sucesso', + 'restored_bank_account' => 'Conta bancária restaurada com sucesso', + 'search_bank_account' => 'Pesquisar conta bancária', + 'search_bank_accounts' => 'Pesquisar :count Contas Bancárias', + 'code_was_sent_to' => 'Um código foi enviado via SMS para :number', + 'verify_phone_number_2fa_help' => 'Verifique seu número de telefone para backup 2FA', + 'enable_applying_payments_later' => 'Ativar a aplicação de pagamentos mais tarde', + 'line_item_tax_rates' => 'Taxas de imposto do item de linha', + 'show_tasks_in_client_portal' => 'Mostrar Tarefas no Portal do Cliente', + 'notification_quote_expired_subject' => 'A cotação :invoice expirou para :client', + 'notification_quote_expired' => 'A seguinte Cotação :invoice para o cliente :client e :amount expirou.', + 'auto_sync' => 'Sincronização automática', + 'refresh_accounts' => 'Atualizar contas', + 'upgrade_to_connect_bank_account' => 'Atualize para Enterprise para conectar sua conta bancária', + 'click_here_to_connect_bank_account' => 'Clique aqui para conectar sua conta bancária', + 'include_tax' => 'Incluir imposto', + 'email_template_change' => 'O corpo do modelo de e-mail pode ser alterado em', + 'task_update_authorization_error' => 'Permissões insuficientes ou a tarefa pode estar bloqueada', + 'cash_vs_accrual' => 'Contabilidade de competência', + 'cash_vs_accrual_help' => 'Ative para relatórios de competência, desative para relatórios de regime de caixa.', + 'expense_paid_report' => 'Relatório de despesas', + 'expense_paid_report_help' => 'Ative para relatar todas as despesas, desative para relatar apenas as despesas pagas', + 'online_payment_email_help' => 'Envie um e-mail quando um pagamento online for feito', + 'manual_payment_email_help' => 'Envie um e-mail ao inserir manualmente um pagamento', + 'mark_paid_payment_email_help' => 'Envie um e-mail ao marcar uma fatura como paga', + 'linked_transaction' => 'Transação vinculada com sucesso', + 'link_payment' => 'Pagamento de link', + 'link_expense' => 'Despesa de link', + 'lock_invoiced_tasks' => 'Bloquear tarefas faturadas', + 'lock_invoiced_tasks_help' => 'Impedir que as tarefas sejam editadas depois de faturadas', + 'registration_required_help' => 'Exigir que os clientes se registrem', + 'use_inventory_management' => 'Usar gerenciamento de estoque', + 'use_inventory_management_help' => 'Exigir que os produtos estejam em estoque', + 'optional_products' => 'Produtos Opcionais', + 'optional_recurring_products' => 'Produtos recorrentes opcionais', + 'convert_matched' => 'Converter', + 'auto_billed_invoice' => 'Fatura enfileirada com sucesso para ser cobrada automaticamente', + 'auto_billed_invoices' => 'Faturas enfileiradas com sucesso para serem cobradas automaticamente', + 'operator' => 'Operador', + 'value' => 'Valor', + 'is' => 'É', + 'contains' => 'contém', + 'starts_with' => 'Começa com', + 'is_empty' => 'Está vazia', + 'add_rule' => 'Adicionar regra', + 'match_all_rules' => 'Corresponder a todas as regras', + 'match_all_rules_help' => 'Todos os critérios precisam corresponder para que a regra seja aplicada', + 'auto_convert_help' => 'Converta automaticamente transações combinadas em despesas', + 'rules' => 'Regras', + 'transaction_rule' => 'regra de transação', + 'transaction_rules' => 'Regras de transação', + 'new_transaction_rule' => 'Nova Regra de Transação', + 'edit_transaction_rule' => 'Editar regra de transação', + 'created_transaction_rule' => 'Regra criada com sucesso', + 'updated_transaction_rule' => 'Regra de transação atualizada com sucesso', + 'archived_transaction_rule' => 'Regra de transação arquivada com sucesso', + 'deleted_transaction_rule' => 'Regra de transação excluída com sucesso', + 'removed_transaction_rule' => 'Regra de transação removida com sucesso', + 'restored_transaction_rule' => 'Regra de transação restaurada com sucesso', + 'search_transaction_rule' => 'Regra de transação de pesquisa', + 'search_transaction_rules' => 'Pesquisar Regras de Transação', 'payment_type_Interac E-Transfer' => 'Interac E-Transfer', - 'delete_bank_account' => 'Delete Bank Account', - 'archive_transaction' => 'Archive Transaction', - 'delete_transaction' => 'Delete Transaction', - 'otp_code_message' => 'We have sent a code to :email enter this code to proceed.', - 'otp_code_subject' => 'Your one time passcode code', - 'otp_code_body' => 'Your one time passcode is :code', - 'delete_tax_rate' => 'Delete Tax Rate', - 'restore_tax_rate' => 'Restore Tax Rate', - 'company_backup_file' => 'Select company backup file', - 'company_backup_file_help' => 'Please upload the .zip file used to create this backup.', - 'backup_restore' => 'Backup | Restore', - 'export_company' => 'Create company backup', - 'backup' => 'Backup', - '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_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.', - 'subscription_blocked' => 'This product is a restricted item, please contact the vendor for further information.', - 'subscription_blocked_title' => 'Product not available.', - 'purchase_order_created' => 'Purchase Order Created', - 'purchase_order_sent' => 'Purchase Order Sent', - 'purchase_order_viewed' => 'Purchase Order Viewed', - 'purchase_order_accepted' => 'Purchase Order Accepted', - 'credit_payment_error' => 'The credit amount can not be greater than the payment amount', - 'convert_payment_currency_help' => 'Set an exchange rate when entering a manual payment', - 'convert_expense_currency_help' => 'Set an exchange rate when creating an expense', - 'matomo_url' => 'Matomo URL', - 'matomo_id' => 'Matomo Id', - 'action_add_to_invoice' => 'Add To Invoice', - 'danger_zone' => 'Danger Zone', - 'import_completed' => 'Import completed', - 'client_statement_body' => 'Your statement from :start_date to :end_date is attached.', - 'email_queued' => 'Email queued', - 'clone_to_recurring_invoice' => 'Clone to Recurring Invoice', - 'inventory_threshold' => 'Inventory Threshold', - 'emailed_statement' => 'Successfully queued statement to be sent', - 'show_email_footer' => 'Show Email Footer', - 'invoice_task_hours' => 'Invoice Task Hours', - 'invoice_task_hours_help' => 'Add the hours to the invoice line items', - 'auto_bill_standard_invoices' => 'Auto Bill Standard Invoices', - 'auto_bill_recurring_invoices' => 'Auto Bill Recurring Invoices', - 'email_alignment' => 'Email Alignment', - 'pdf_preview_location' => 'PDF Preview Location', + 'delete_bank_account' => 'Excluir conta bancária', + 'archive_transaction' => 'Arquivar transação', + 'delete_transaction' => 'Excluir transação', + 'otp_code_message' => 'Enviamos um código para :email digite este código para prosseguir.', + 'otp_code_subject' => 'Seu código de acesso único', + 'otp_code_body' => 'Sua senha única é :code', + 'delete_tax_rate' => 'Excluir taxa de imposto', + 'restore_tax_rate' => 'Restaurar taxa de imposto', + 'company_backup_file' => 'Selecione o arquivo de backup da empresa', + 'company_backup_file_help' => 'Carregue o arquivo .zip usado para criar este backup.', + 'backup_restore' => 'Backup | Restaurar', + 'export_company' => 'Criar cópia de segurança da empresa', + 'backup' => 'Cópia de segurança', + 'notification_purchase_order_created_body' => 'O seguinte pedido de compra :purchase_order foi criado para o fornecedor :vendor para :amount.', + 'notification_purchase_order_created_subject' => 'O pedido de compra :purchase_order foi criado para :vendor', + 'notification_purchase_order_sent_subject' => 'O pedido de compra :purchase_order foi enviado para :vendor', + 'notification_purchase_order_sent' => 'O seguinte fornecedor :vendor recebeu um pedido de compra :purchase_order por e-mail para :amount.', + 'subscription_blocked' => 'Este produto é um item restrito, entre em contato com o fornecedor para obter mais informações.', + 'subscription_blocked_title' => 'Produto não disponível.', + 'purchase_order_created' => 'Ordem de compra criada', + 'purchase_order_sent' => 'Ordem de compra enviada', + 'purchase_order_viewed' => 'Ordem de compra visualizada', + 'purchase_order_accepted' => 'Pedido de compra aceito', + 'credit_payment_error' => 'O valor do crédito não pode ser maior que o valor do pagamento', + 'convert_payment_currency_help' => 'Defina uma taxa de câmbio ao inserir um pagamento manual', + 'convert_expense_currency_help' => 'Defina uma taxa de câmbio ao criar uma despesa', + 'matomo_url' => 'URL do Matomo', + 'matomo_id' => 'Identificação do Matomo', + 'action_add_to_invoice' => 'Adicionar à fatura', + 'danger_zone' => 'Zona de perigo', + 'import_completed' => 'Importação concluída', + 'client_statement_body' => 'Sua declaração de :start_date a :end_date está anexada.', + 'email_queued' => 'E-mail na fila', + 'clone_to_recurring_invoice' => 'Clonar para Fatura Recorrente', + 'inventory_threshold' => 'Limite de inventário', + 'emailed_statement' => 'Instrução enfileirada com sucesso a ser enviada', + 'show_email_footer' => 'Mostrar Rodapé do E-mail', + 'invoice_task_hours' => 'Horas de Tarefa da Fatura', + 'invoice_task_hours_help' => 'Adicione as horas aos itens de linha da fatura', + 'auto_bill_standard_invoices' => 'Cobrança Automática de Faturas Padrão', + 'auto_bill_recurring_invoices' => 'Cobrança Automática de Faturas Recorrentes', + 'email_alignment' => 'Alinhamento de e-mail', + 'pdf_preview_location' => 'Local de visualização do PDF', 'mailgun' => 'Mailgun', - 'postmark' => 'Postmark', + 'postmark' => 'Carimbo postal', 'microsoft' => 'Microsoft', - 'click_plus_to_create_record' => 'Click + to create a record', - 'last365_days' => 'Last 365 Days', - 'import_design' => 'Import Design', - 'imported_design' => 'Successfully imported design', - 'invalid_design' => 'The design is invalid, the :value section is missing', - 'setup_wizard_logo' => 'Would you like to upload your logo?', - 'installed_version' => 'Installed Version', - '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', - 'update_payment' => 'Update Payment', - 'markup' => 'Markup', - 'unlock_pro' => 'Unlock Pro', - 'upgrade_to_paid_plan_to_schedule' => 'Upgrade to a paid plan to create schedules', - 'next_run' => 'Next Run', - 'all_clients' => 'All Clients', - 'show_aging_table' => 'Show Aging Table', - 'show_payments_table' => 'Show Payments Table', - 'email_statement' => 'Email Statement', - 'once' => 'Once', - 'schedules' => 'Schedules', - 'new_schedule' => 'New Schedule', - 'edit_schedule' => 'Edit Schedule', - 'created_schedule' => 'Successfully created schedule', - 'updated_schedule' => 'Successfully updated schedule', - 'archived_schedule' => 'Successfully archived schedule', - 'deleted_schedule' => 'Successfully deleted schedule', - 'removed_schedule' => 'Successfully removed schedule', - 'restored_schedule' => 'Successfully restored schedule', - 'search_schedule' => 'Search Schedule', - 'search_schedules' => 'Search Schedules', - 'update_product' => 'Update Product', - 'create_purchase_order' => 'Create Purchase Order', - 'update_purchase_order' => 'Update Purchase Order', - 'sent_invoice' => 'Sent Invoice', - 'sent_quote' => 'Sent Quote', - 'sent_credit' => 'Sent Credit', - 'sent_purchase_order' => 'Sent Purchase Order', - 'image_url' => 'Image URL', - 'max_quantity' => 'Max Quantity', - 'test_url' => 'Test URL', - 'auto_bill_help_off' => 'Option is not shown', - 'auto_bill_help_optin' => 'Option is shown but not selected', - 'auto_bill_help_optout' => 'Option is shown and selected', - 'auto_bill_help_always' => 'Option is not shown', - 'view_all' => 'View All', - 'edit_all' => 'Edit All', - 'accept_purchase_order_number' => 'Accept Purchase Order Number', - 'accept_purchase_order_number_help' => 'Enable clients to provide a PO number when approving a quote', - 'from_email' => 'From Email', - 'show_preview' => 'Show Preview', - 'show_paid_stamp' => 'Show Paid Stamp', - 'show_shipping_address' => 'Show Shipping Address', - 'no_documents_to_download' => 'There are no documents in the selected records to download', - 'pixels' => 'Pixels', - 'logo_size' => 'Logo Size', - 'failed' => 'Failed', - 'client_contacts' => 'Client Contacts', - 'sync_from' => 'Sync From', - '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', - 'click_to_variables' => 'Client here to see all variables.', - 'ship_to' => 'Ship to', - 'stripe_direct_debit_details' => 'Please transfer into the nominated bank account above.', - 'branch_name' => 'Branch Name', - 'branch_code' => 'Branch Code', - 'bank_name' => 'Bank Name', - 'bank_code' => 'Bank Code', + 'click_plus_to_create_record' => 'Clique em + para criar um registro', + 'last365_days' => 'Últimos 365 dias', + 'import_design' => 'Design de Importação', + 'imported_design' => 'Projeto importado com sucesso', + 'invalid_design' => 'O design é inválido, a seção :value está faltando', + 'setup_wizard_logo' => 'Gostaria de fazer upload do seu logotipo?', + 'installed_version' => 'Versão instalada', + 'notify_vendor_when_paid' => 'Notificar o fornecedor quando pago', + 'notify_vendor_when_paid_help' => 'Envie um e-mail para o fornecedor quando a despesa for marcada como paga', + 'update_payment' => 'Atualizar pagamento', + 'markup' => 'marcação', + 'unlock_pro' => 'Desbloquear Pro', + 'upgrade_to_paid_plan_to_schedule' => 'Atualize para um plano pago para criar programações', + 'next_run' => 'Próxima execução', + 'all_clients' => 'Todos os clientes', + 'show_aging_table' => 'Mostrar Tabela de Envelhecimento', + 'show_payments_table' => 'Mostrar Tabela de Pagamentos', + 'email_statement' => 'Extrato de e-mail', + 'once' => 'Uma vez', + 'schedules' => 'Horários', + 'new_schedule' => 'Novo cronograma', + 'edit_schedule' => 'Editar programação', + 'created_schedule' => 'Agenda criada com sucesso', + 'updated_schedule' => 'Agenda atualizada com sucesso', + 'archived_schedule' => 'Agenda arquivada com sucesso', + 'deleted_schedule' => 'Programação excluída com sucesso', + 'removed_schedule' => 'Programação removida com sucesso', + 'restored_schedule' => 'Agenda restaurada com sucesso', + 'search_schedule' => 'Horário de pesquisa', + 'search_schedules' => 'Pesquisar Horários', + 'update_product' => 'Atualizar produto', + 'create_purchase_order' => 'Criar ordem de compra', + 'update_purchase_order' => 'Atualizar ordem de compra', + 'sent_invoice' => 'Fatura Enviada', + 'sent_quote' => 'Orçamento enviado', + 'sent_credit' => 'Crédito enviado', + 'sent_purchase_order' => 'Ordem de compra enviada', + 'image_url' => 'imagem URL', + 'max_quantity' => 'Quantidade máxima', + 'test_url' => 'URL de teste', + 'auto_bill_help_off' => 'Opção não é mostrada', + 'auto_bill_help_optin' => 'A opção é exibida, mas não selecionada', + 'auto_bill_help_optout' => 'A opção é mostrada e selecionada', + 'auto_bill_help_always' => 'Opção não é mostrada', + 'view_all' => 'Ver tudo', + 'edit_all' => 'Editar tudo', + 'accept_purchase_order_number' => 'Aceite o número do pedido de compra', + 'accept_purchase_order_number_help' => 'Permita que os clientes forneçam um número de pedido ao aprovar uma cotação', + 'from_email' => 'Do email', + 'show_preview' => 'Mostrar visualização', + 'show_paid_stamp' => 'Mostrar Selo Pago', + 'show_shipping_address' => 'Mostrar endereço de entrega', + 'no_documents_to_download' => 'Não há documentos nos registros selecionados para download', + 'pixels' => 'Píxeis', + 'logo_size' => 'Tamanho do logotipo', + 'failed' => 'Fracassado', + 'client_contacts' => 'Contactos do Cliente', + 'sync_from' => 'Sincronizar de', + 'gateway_payment_text' => 'Faturas: :invoices para :amount para cliente :client', + 'gateway_payment_text_no_invoice' => 'Pagamento sem fatura no valor :amount para cliente :client', + 'click_to_variables' => 'Cliente aqui para ver todas as variáveis.', + 'ship_to' => 'Enviar para', + 'stripe_direct_debit_details' => 'Por favor, transfira para a conta bancária indicada acima.', + 'branch_name' => 'Nome da filial', + 'branch_code' => 'Código da Agência', + 'bank_name' => 'Nome do banco', + 'bank_code' => 'Código bancário', 'bic' => 'BIC', - 'change_plan_description' => 'Upgrade or downgrade your current plan.', - 'add_company_logo' => 'Add Logo', - 'add_stripe' => 'Add Stripe', - '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.

Your license key is:

:license_key', + 'change_plan_description' => 'Faça upgrade ou downgrade do seu plano atual.', + 'add_company_logo' => 'Adicionar logotipo', + 'add_stripe' => 'Adicionar faixa', + 'invalid_coupon' => 'cupom inválido', + 'no_assigned_tasks' => 'Nenhuma tarefa faturável para este projeto', + 'authorization_failure' => 'Permissões insuficientes para executar esta ação', + 'authorization_sms_failure' => 'Verifique sua conta para enviar e-mails.', + 'white_label_body' => 'Obrigado por adquirir uma licença de marca branca.

Sua chave de licença é:

:license_key', 'payment_type_Klarna' => 'Klarna', 'payment_type_Interac E Transfer' => 'Interac E Transfer', - 'xinvoice_payable' => 'Payable within :payeddue days net until :paydate', - 'xinvoice_no_buyers_reference' => "No buyer's reference given", - 'xinvoice_online_payment' => 'The invoice needs to be payed online via the provided link', - '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', - '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', - 'user_sales_report_header' => 'User sales report for client/s :client from :start_date to :end_date', - 'client_balance_report' => 'Customer balance report', - 'client_sales_report' => 'Customer sales report', - 'user_sales_report' => 'User sales report', - 'aged_receivable_detailed_report' => 'Aged Receivable Detailed Report', - 'aged_receivable_summary_report' => 'Aged Receivable Summary Report', - 'taxable_amount' => 'Taxable Amount', - 'tax_summary' => 'Tax Summary', - 'oauth_mail' => 'OAuth / Mail', - 'preferences' => 'Preferences', - 'analytics' => 'Analytics', + 'xinvoice_payable' => 'Pagável dentro de :payeddue dias líquidos até :paydate', + 'xinvoice_no_buyers_reference' => "Nenhuma referência do comprador fornecida", + 'xinvoice_online_payment' => 'A fatura deve ser paga online através do link fornecido', + 'pre_payment' => 'Pré-Pagamento', + 'number_of_payments' => 'Número de pagamentos', + 'number_of_payments_helper' => 'O número de vezes que esse pagamento será feito', + 'pre_payment_indefinitely' => 'Continuar até ser cancelado', + 'notification_payment_emailed' => 'O pagamento :payment foi enviado por e-mail para :client', + 'notification_payment_emailed_subject' => 'O pagamento :payment foi enviado por e-mail', + 'record_not_found' => 'Registro não encontrado', + 'product_tax_exempt' => 'Produto isento de impostos', + 'product_type_physical' => 'Bens físicos', + 'product_type_digital' => 'Bens digitais', + 'product_type_service' => 'Serviços', + 'product_type_freight' => 'Envio', + 'minimum_payment_amount' => 'Valor Mínimo de Pagamento', + 'client_initiated_payments' => 'Pagamentos iniciados pelo cliente', + 'client_initiated_payments_help' => 'Suporte para efetuar um pagamento no portal do cliente sem fatura', + 'share_invoice_quote_columns' => 'Compartilhar Colunas de Fatura/Cotação', + 'cc_email' => 'CC e-mail', + 'payment_balance' => 'Saldo de pagamento', + 'view_report_permission' => 'Permitir que o usuário acesse os relatórios, os dados são limitados às permissões disponíveis', + 'activity_138' => 'O pagamento :payment foi enviado por e-mail para :client', + 'one_time_products' => 'Produtos únicos', + 'optional_one_time_products' => 'Produtos opcionais de uso único', + 'required' => 'Obrigatório', + 'hidden' => 'Escondido', + 'payment_links' => 'Links de pagamento', + 'payment_link' => 'Link de pagamento', + 'new_payment_link' => 'Novo link de pagamento', + 'edit_payment_link' => 'Editar link de pagamento', + 'created_payment_link' => 'Link de pagamento criado com sucesso', + 'updated_payment_link' => 'Link de pagamento atualizado com sucesso', + 'archived_payment_link' => 'Link de pagamento arquivado com sucesso', + 'deleted_payment_link' => 'Link de pagamento excluído com sucesso', + 'removed_payment_link' => 'Link de pagamento removido com sucesso', + 'restored_payment_link' => 'Link de pagamento restaurado com sucesso', + 'search_payment_link' => 'Pesquisar 1 link de pagamento', + 'search_payment_links' => 'Pesquisar :count Links de pagamento', + 'increase_prices' => 'Aumentar Preços', + 'update_prices' => 'Atualizar Preços', + 'incresed_prices' => 'Preços na fila com sucesso a serem aumentados', + 'updated_prices' => 'Preços enfileirados com sucesso a serem atualizados', + 'api_token' => 'Token da API', + 'api_key' => 'Chave API', + 'endpoint' => 'Ponto final', + 'not_billable' => 'Não Faturável', + 'allow_billable_task_items' => 'Permitir itens de tarefa faturáveis', + 'allow_billable_task_items_help' => 'Ativar a configuração de quais itens de tarefa são cobrados', + 'show_task_item_description' => 'Mostrar descrição do item de tarefa', + 'show_task_item_description_help' => 'Ativar a especificação de descrições de itens de tarefas', + 'email_record' => 'Registro de e-mail', + 'invoice_product_columns' => 'Colunas de produtos da fatura', + 'quote_product_columns' => 'Cotar Colunas de Produtos', + 'vendors' => 'Fornecedores', + 'product_sales' => 'Vendas de produtos', + 'user_sales_report_header' => 'Relatório de vendas do usuário para cliente/s :client de :start_date a :end_date', + 'client_balance_report' => 'Relatório de saldo do cliente', + 'client_sales_report' => 'Relatório de vendas do cliente', + 'user_sales_report' => 'Relatório de vendas do usuário', + 'aged_receivable_detailed_report' => 'Relatório Detalhado de Recebíveis Antigos', + 'aged_receivable_summary_report' => 'Relatório resumido de recebíveis antigos', + 'taxable_amount' => 'Valor taxado', + 'tax_summary' => 'Resumo do imposto', + 'oauth_mail' => 'OAuth / Correio', + 'preferences' => 'Preferências', + 'analytics' => 'Análise', + 'reduced_rate' => 'Taxa reduzida', + 'tax_all' => 'Imposto sobre todos', + 'tax_selected' => 'Imposto selecionado', + 'version' => 'versão', + 'seller_subregion' => 'Sub-região do vendedor', + 'calculate_taxes' => 'Calcular Impostos', + 'calculate_taxes_help' => 'Calcule impostos automaticamente ao salvar faturas', + 'link_expenses' => 'Despesas de link', + 'converted_client_balance' => 'Saldo do cliente convertido', + 'converted_payment_balance' => 'Saldo de pagamento convertido', + 'total_hours' => 'Total de horas', + 'date_picker_hint' => 'Use +dias para definir a data no futuro', + 'app_help_link' => 'Mais Informações', + 'here' => 'aqui', + 'industry_Restaurant & Catering' => 'Restaurante e Catering', + 'show_credits_table' => 'Mostrar tabela de créditos', ); From 9ea94b285baea1a1ca97dff2fef47f0a83471068 Mon Sep 17 00:00:00 2001 From: David Bomba Date: Sat, 22 Apr 2023 17:07:22 +1000 Subject: [PATCH 13/14] Refactor for taxes --- app/DataMapper/Tax/BaseRule.php | 23 +++-- app/DataMapper/Tax/TaxModel.php | 12 +-- app/DataMapper/Tax/ZipTax/Response.php | 7 +- app/Helpers/Invoice/InvoiceItemSum.php | 5 +- app/Repositories/BaseRepository.php | 2 +- tests/Unit/Tax/EuTaxTest.php | 133 +++++++++++++++++++++---- 6 files changed, 137 insertions(+), 45 deletions(-) diff --git a/app/DataMapper/Tax/BaseRule.php b/app/DataMapper/Tax/BaseRule.php index 903cbb155f..5b0b6c87dc 100644 --- a/app/DataMapper/Tax/BaseRule.php +++ b/app/DataMapper/Tax/BaseRule.php @@ -12,6 +12,7 @@ namespace App\DataMapper\Tax; use App\Models\Client; +use App\Models\Invoice; use App\Models\Product; use App\DataMapper\Tax\ZipTax\Response; @@ -117,6 +118,8 @@ class BaseRule implements RuleInterface protected ?Response $tax_data; + public ?Invoice $invoice; + public function __construct() { } @@ -126,18 +129,16 @@ class BaseRule implements RuleInterface return $this; } - public function setClient(Client $client): self + public function setInvoice(Invoice $invoice): self { - $this->client = $client; + $this->invoice = $invoice; + + $this->client = $invoice->client; + + $this->tax_data = new Response($invoice?->tax_data); $this->resolveRegions(); - return $this; - } - - public function setTaxData(Response $tax_data): self - { - $this->tax_data = $tax_data; return $this; } @@ -176,10 +177,10 @@ class BaseRule implements RuleInterface return $this; } - elseif($this->client_region == 'AU'){ + elseif($this->client_region == 'AU'){ //these are defaults and are only stubbed out for now, for AU we can actually remove these - $this->tax_rate1 = 10; - $this->tax_name1 = 'GST'; + $this->tax_rate1 = $this->client->company->tax_data->regions->AU->subregions->AU->tax_rate; + $this->tax_name1 = $this->client->company->tax_data->regions->AU->subregions->AU->tax_name; return $this; } diff --git a/app/DataMapper/Tax/TaxModel.php b/app/DataMapper/Tax/TaxModel.php index b6baf1c74d..21b811898d 100644 --- a/app/DataMapper/Tax/TaxModel.php +++ b/app/DataMapper/Tax/TaxModel.php @@ -14,19 +14,19 @@ namespace App\DataMapper\Tax; class TaxModel { - /** @var mixed $seller_subregion */ + /** @var string $seller_subregion */ public string $seller_subregion = 'CA'; - /** @var mixed $version */ + /** @var string $version */ public string $version = 'alpha'; - /** @var mixed $regions */ + /** @var object $regions */ public object $regions; /** * __construct * - * @param mixed $model + * @param TaxModel $model * @return void */ public function __construct(public ?TaxModel $model = null) @@ -42,9 +42,9 @@ class TaxModel /** * Initializes the rules and builds any required data. * - * @return void + * @return object */ - public function init() + public function init(): object { $this->regions = new \stdClass(); $this->regions->US = new \stdClass(); diff --git a/app/DataMapper/Tax/ZipTax/Response.php b/app/DataMapper/Tax/ZipTax/Response.php index 1358fccb2d..6fbed6ed72 100644 --- a/app/DataMapper/Tax/ZipTax/Response.php +++ b/app/DataMapper/Tax/ZipTax/Response.php @@ -65,6 +65,7 @@ class Response public string $geoCounty = ""; public string $geoState = ""; public float $taxSales = 0; + public string $taxName = ""; public float $taxUse = 0; public string $txbService = ""; // N = No, Y = Yes public string $txbFreight = ""; // N = No, Y = Yes @@ -73,6 +74,8 @@ class Response public float $citySalesTax = 0; public float $cityUseTax = 0; public string $cityTaxCode = ""; + + /* US SPECIFIC TAX CODES */ public float $countySalesTax = 0; public float $countyUseTax = 0; public string $countyTaxCode = ""; @@ -93,7 +96,9 @@ class Response public string $district5Code = ""; public float $district5SalesTax = 0; public float $district5UseTax = 0; - public string $originDestination = ""; + /* US SPECIFIC TAX CODES */ + + public string $originDestination = ""; // defines if the client origin is the locale where the tax is remitted to public function __construct($data) { diff --git a/app/Helpers/Invoice/InvoiceItemSum.php b/app/Helpers/Invoice/InvoiceItemSum.php index f3cfc2cf74..afef994e2b 100644 --- a/app/Helpers/Invoice/InvoiceItemSum.php +++ b/app/Helpers/Invoice/InvoiceItemSum.php @@ -146,12 +146,9 @@ class InvoiceItemSum $class = "App\DataMapper\Tax\\".$this->client->company->country()->iso_3166_2."\\Rule"; - $tax_data = new Response($this->invoice?->tax_data); - $this->rule = new $class(); $this->rule - ->setTaxData($tax_data) - ->setClient($this->client) + ->setInvoice($this->invoice) ->init(); $this->calc_tax = true; diff --git a/app/Repositories/BaseRepository.php b/app/Repositories/BaseRepository.php index 3678a78982..0439fa59d1 100644 --- a/app/Repositories/BaseRepository.php +++ b/app/Repositories/BaseRepository.php @@ -190,7 +190,7 @@ class BaseRepository $this->new_model = true; if (is_array($model->line_items) && !($model instanceof RecurringInvoice)) { - $model->line_items = (collect($model->line_items))->map(function ($item) use ($model, $client) { + $model->line_items = (collect($model->line_items))->map(function ($item) use ($client) { $item->notes = Helpers::processReservedKeywords($item->notes, $client); return $item; diff --git a/tests/Unit/Tax/EuTaxTest.php b/tests/Unit/Tax/EuTaxTest.php index 3368ab935a..6f41d282bb 100644 --- a/tests/Unit/Tax/EuTaxTest.php +++ b/tests/Unit/Tax/EuTaxTest.php @@ -11,18 +11,18 @@ namespace Tests\Unit\Tax; -use Tests\TestCase; +use App\DataMapper\CompanySettings; +use App\DataMapper\Tax\DE\Rule; +use App\DataMapper\Tax\TaxModel; +use App\DataMapper\Tax\ZipTax\Response; use App\Models\Client; use App\Models\Company; use App\Models\Invoice; use App\Models\Product; -use Tests\MockAccountData; -use App\DataMapper\Tax\DE\Rule; -use App\DataMapper\Tax\TaxModel; -use App\DataMapper\CompanySettings; -use App\DataMapper\Tax\ZipTax\Response; -use Illuminate\Routing\Middleware\ThrottleRequests; use Illuminate\Foundation\Testing\DatabaseTransactions; +use Illuminate\Routing\Middleware\ThrottleRequests; +use Tests\MockAccountData; +use Tests\TestCase; /** * @test App\Services\Tax\Providers\EuTax @@ -338,8 +338,18 @@ class EuTaxTest extends TestCase 'has_valid_vat_number' => false, ]); + $invoice = Invoice::factory()->create([ + 'company_id' => $company->id, + 'client_id' => $client->id, + 'user_id' => $this->user->id, + 'status_id' => Invoice::STATUS_SENT, + 'tax_data' => new Response([ + 'geoState' => 'CA', + ]), + ]); + $process = new Rule(); - $process->setClient($client); + $process->setInvoice($invoice); $process->init(); $this->assertEquals('EU', $process->seller_region); @@ -382,12 +392,21 @@ class EuTaxTest extends TestCase 'has_valid_vat_number' => false, ]); + $invoice = Invoice::factory()->create([ + 'company_id' => $company->id, + 'client_id' => $client->id, + 'user_id' => $this->user->id, + 'status_id' => Invoice::STATUS_SENT, + 'tax_data' => new Response([ + 'geoState' => 'CA', + ]), + ]); + $process = new Rule(); - $process->setClient($client); + $process->setInvoice($invoice); $process->init(); - -$this->assertEquals('EU', $process->seller_region); + $this->assertEquals('EU', $process->seller_region); $this->assertEquals('BE', $process->client_subregion); @@ -428,11 +447,18 @@ $this->assertEquals('EU', $process->seller_region); 'has_valid_vat_number' => false, ]); + $invoice = Invoice::factory()->create([ + 'company_id' => $company->id, + 'client_id' => $client->id, + 'user_id' => $this->user->id, + 'status_id' => Invoice::STATUS_SENT, + 'tax_data' => new Response([ + 'geoState' => 'CA', + ]), + ]); + $process = new Rule(); - $process->setTaxData(new Response([ - 'geoState' => 'CA', - ])); - $process->setClient($client); + $process->setInvoice($invoice); $process->init(); $this->assertEquals('EU', $process->seller_region); @@ -476,8 +502,18 @@ $this->assertEquals('EU', $process->seller_region); 'has_valid_vat_number' => false, ]); + $invoice = Invoice::factory()->create([ + 'company_id' => $company->id, + 'client_id' => $client->id, + 'user_id' => $this->user->id, + 'status_id' => Invoice::STATUS_SENT, + 'tax_data' => new Response([ + 'geoState' => 'CA', + ]), + ]); + $process = new Rule(); - $process->setClient($client); + $process->setInvoice($invoice); $process->init(); $this->assertInstanceOf(Rule::class, $process); @@ -517,10 +553,21 @@ $this->assertEquals('EU', $process->seller_region); 'has_valid_vat_number' => true, ]); + $invoice = Invoice::factory()->create([ + 'company_id' => $company->id, + 'client_id' => $client->id, + 'user_id' => $this->user->id, + 'status_id' => Invoice::STATUS_SENT, + 'tax_data' => new Response([ + 'geoState' => 'CA', + ]), + ]); + $process = new Rule(); - $process->setClient($client); + $process->setInvoice($invoice); $process->init(); + $this->assertInstanceOf(Rule::class, $process); $this->assertTrue($client->has_valid_vat_number); @@ -556,11 +603,22 @@ $this->assertEquals('EU', $process->seller_region); 'shipping_country_id' => 56, 'has_valid_vat_number' => true, ]); + + $invoice = Invoice::factory()->create([ + 'company_id' => $company->id, + 'client_id' => $client->id, + 'user_id' => $this->user->id, + 'status_id' => Invoice::STATUS_SENT, + 'tax_data' => new Response([ + 'geoState' => 'CA', + ]), + ]); $process = new Rule(); - $process->setClient($client); + $process->setInvoice($invoice); $process->init(); + $this->assertInstanceOf(Rule::class, $process); $this->assertTrue($client->has_valid_vat_number); @@ -597,10 +655,21 @@ $this->assertEquals('EU', $process->seller_region); 'is_tax_exempt' => true, ]); + $invoice = Invoice::factory()->create([ + 'company_id' => $company->id, + 'client_id' => $client->id, + 'user_id' => $this->user->id, + 'status_id' => Invoice::STATUS_SENT, + 'tax_data' => new Response([ + 'geoState' => 'CA', + ]), + ]); + $process = new Rule(); - $process->setClient($client); + $process->setInvoice($invoice); $process->init(); + $this->assertInstanceOf(Rule::class, $process); $this->assertTrue($client->is_tax_exempt); @@ -637,8 +706,18 @@ $this->assertEquals('EU', $process->seller_region); 'is_tax_exempt' => true, ]); + $invoice = Invoice::factory()->create([ + 'company_id' => $company->id, + 'client_id' => $client->id, + 'user_id' => $this->user->id, + 'status_id' => Invoice::STATUS_SENT, + 'tax_data' => new Response([ + 'geoState' => 'CA', + ]), + ]); + $process = new Rule(); - $process->setClient($client); + $process->setInvoice($invoice); $process->init(); $this->assertInstanceOf(Rule::class, $process); @@ -676,11 +755,21 @@ $this->assertEquals('EU', $process->seller_region); 'is_tax_exempt' => true, ]); + $invoice = Invoice::factory()->create([ + 'company_id' => $company->id, + 'client_id' => $client->id, + 'user_id' => $this->user->id, + 'status_id' => Invoice::STATUS_SENT, + 'tax_data' => new Response([ + 'geoState' => 'CA', + ]), + ]); + $process = new Rule(); - $process->setTaxData(new Response([])); - $process->setClient($client); + $process->setInvoice($invoice); $process->init(); + $this->assertInstanceOf(Rule::class, $process); $this->assertTrue($client->is_tax_exempt); From 25b4bb3d456929b6f8408ed4f04cdc8a0237bd20 Mon Sep 17 00:00:00 2001 From: David Bomba Date: Sun, 23 Apr 2023 08:16:28 +1000 Subject: [PATCH 14/14] Minor fies --- app/DataMapper/Tax/BaseRule.php | 15 ++++++++- lang/fr_CA/texts.php | 56 ++++++++++++++++----------------- 2 files changed, 42 insertions(+), 29 deletions(-) diff --git a/app/DataMapper/Tax/BaseRule.php b/app/DataMapper/Tax/BaseRule.php index 5b0b6c87dc..34c32268a4 100644 --- a/app/DataMapper/Tax/BaseRule.php +++ b/app/DataMapper/Tax/BaseRule.php @@ -133,9 +133,11 @@ class BaseRule implements RuleInterface { $this->invoice = $invoice; + $this->configTaxData(); + $this->client = $invoice->client; - $this->tax_data = new Response($invoice?->tax_data); + $this->tax_data = new Response($this->invoice->tax_data); $this->resolveRegions(); @@ -143,6 +145,17 @@ class BaseRule implements RuleInterface return $this; } + private function configTaxData(): self + { + if($this->invoice->tax_data && $this->invoice->status_id > 1) + return $this; + + //determine if we are taxing locally or if we are taxing globally + // $this->invoice->tax_data = $this->invoice->client->tax_data; + + return $this; + } + // Refactor to support switching between shipping / billing country / region / subregion private function resolveRegions(): self { diff --git a/lang/fr_CA/texts.php b/lang/fr_CA/texts.php index aa4ae226e5..b747f2ea66 100644 --- a/lang/fr_CA/texts.php +++ b/lang/fr_CA/texts.php @@ -4255,7 +4255,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'bacs' => 'Débit direct BACS', 'payment_type_BACS' => 'Débit direct BACS', 'missing_payment_method' => 'Veuillez ajouter une méthode de paiement avant de payer.', - 'becs_mandate' => 'By providing your bank account details, you agree to this Direct Debit Request and the Direct Debit Request service agreement, 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' => 'En fournissant vos coordonnées bancaires, vous acceptez l\'entente de service de requête de débit direct, et autorisez Stripe Payments Australia Pty Ltd ACN 160 180 343 Direct Debit User ID number 507156 (“Stripe”) à prélever votre compte par le Bulk Electronic Clearing System (BECS) de la part du :company (“Merchant”) pour tout montant séparément communiqué à vous par le Marchand. Vous certifiez que vous êtes propriétaire du comte ou que vous êtes un signataire autorisé sur le compte indiqué plus haut.', 'you_need_to_accept_the_terms_before_proceeding' => 'Vous devez accepter les conditions pour continuer.', 'direct_debit' => 'Prélèvement automatique', 'clone_to_expense' => 'Dupliquer en dépense', @@ -4289,7 +4289,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'print_pdf' => 'Imprimer le PDF', 'remind_me' => 'Rappel', 'instant_bank_pay' => 'Interac', - 'click_selected' => 'Click Selected', + 'click_selected' => 'Cliquer sur la sélection', 'hide_preview' => 'Cacher l\'aperçu', 'edit_record' => 'Modifier l\'enregistrement', 'credit_is_more_than_invoice' => 'Le montant du crédit ne peut pas être supérieur que le montant de la facture', @@ -4301,11 +4301,11 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'add_to_invoices' => 'Ajouter aux factures', 'bulk_download' => 'Télécharger', 'persist_data_help' => 'Sauvegardez localement les données pour un démarrage de l\'application plus rapide. La désactivation peut améliorer les performances sur les comptes volumineux.', - 'persist_ui' => 'Persist UI', + 'persist_ui' => 'Interface persistante', 'persist_ui_help' => 'Sauvegarder localement l\'état de l\'interface de l\'application pour revenir au lieu de la dernière utilisation. Désactiver cette option peut améliorer les performances.', 'client_postal_code' => 'Code postal du client', 'client_vat_number' => 'No de taxe du client', - 'has_tasks' => 'Has Tasks', + 'has_tasks' => 'A tâches', 'registration' => 'Inscription', 'unauthorized_stripe_warning' => 'Veuillez autoriser Stripe pour accepter des paiements en ligne.', 'update_all_records' => 'Mettre à jour tous les enregistrements', @@ -4329,7 +4329,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'include_drafts_help' => 'Inclure les enregistrements e brouillons dans les rapports', 'is_invoiced' => 'Est facturé', 'change_plan' => 'Changer de plan', - 'persist_data' => 'Persist Data', + 'persist_data' => 'Données persistantes', 'customer_count' => 'Compte de client', 'verify_customers' => 'Vérifier les clients', 'google_analytics_tracking_id' => 'Code de suivi Google Analytics', @@ -4366,7 +4366,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'change_email' => 'Modifier l\'adresse courriel', 'client_portal_domain_hint' => 'Paramétrez de façon optionnelle, un domaine séparé pour le portail du client', 'tasks_shown_in_portal' => 'Tâches affichées dans le portail', - 'uninvoiced' => 'Uninvoiced', + 'uninvoiced' => 'Défacturé', 'subdomain_guide' => 'Le sous-domaine est utilisé dans le portail du client pour personnaliser les liens à votre marque. Ex. https://votremarque.invoicing.co', 'send_time' => 'Heure d\'envoi', 'import_settings' => 'Importer les paramètres', @@ -4392,7 +4392,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'show_task_end_date_help' => 'Activer la date de fin pour la tâche', 'gateway_setup' => 'Configuraiton de passerelle', 'preview_sidebar' => 'Prévisualiser la barre latérale', - 'years_data_shown' => 'Years Data Shown', + 'years_data_shown' => 'Données annuelles affichées', 'ended_all_sessions' => 'Toutes les sessions ont été déconnectées', 'end_all_sessions' => 'Déconnexion de toutes les sessions', 'count_session' => '1 session', @@ -4470,7 +4470,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'activity_123' => ':user a supprimé la dépense récurrente :recurring_expense', 'activity_124' => ':user a restauré la dépense récurrente :recurring_expense', 'fpx' => "FPX", - 'to_view_entity_set_password' => 'To view the :entity you need to set a password.', + 'to_view_entity_set_password' => 'Pour voir :entity, vous devez spécifier un mot de passe.', 'unsubscribe' => 'Se désabonner', 'unsubscribed' => 'Désabonné', 'unsubscribed_text' => 'Vous avez été retiré des notifications pour ce document', @@ -4498,12 +4498,12 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'reminder_message' => 'Rappel pour la facture :invoice de :balance', 'gmail_credentials_invalid_subject' => 'Les identifiants pour l\'envoi avec Gmail ne sont pas valides', 'gmail_credentials_invalid_body' => 'Vos identifiants Gmail ne sont pas valides. Veuillez vous connecter au portail administrateur et vous rendre à Paramètres > Profil utilisateur, déconnecter et reconnecter votre compte Gmail. Vous recevrez une notification tous les jours jusqu\'à ce que ce problème soit réglé', - 'total_columns' => 'Total Fields', + 'total_columns' => 'Champs des totaux', 'view_task' => 'Voir la tâche', 'cancel_invoice' => 'Annuler', 'changed_status' => 'L\'état de la tâche a été modifié', 'change_status' => 'Modifier l\'état', - 'enable_touch_events' => 'Enable Touch Events', + 'enable_touch_events' => 'Activer les événements tactiles', 'enable_touch_events_help' => 'Support drag events to scroll', 'after_saving' => 'Après sauvegarde', 'view_record' => 'Voir l\'enregistrement', @@ -4607,7 +4607,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'sure_happy_to' => 'Bien sûr, avec joie', 'no_not_now' => 'Non, pas maintenant', 'add' => 'Ajouter', - 'last_sent_template' => 'Last Sent Template', + 'last_sent_template' => 'Modèle pour dernier envoi', 'enable_flexible_search' => 'Activer la recherche flexible', 'enable_flexible_search_help' => 'Match non-contiguous characters, ie. "ct" matches "cat"', 'vendor_details' => 'Informations du fournisseur', @@ -4675,7 +4675,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'restore_task_status' => 'Restaurer l\'état de tâche', 'lang_Hebrew' => 'Hébreu', 'price_change_accepted' => 'Changement de prix accepté', - 'price_change_failed' => 'Price change failed with code', + 'price_change_failed' => 'Le changement de prix a échoué avec le code', 'restore_purchases' => 'Restaurer les achats', 'activate' => 'Activer', 'connect_apple' => 'Connecter Apple', @@ -4707,7 +4707,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'vendor_portal' => 'Portail du fournisseur', 'send_code' => 'Envoyer le code', 'save_to_upload_documents' => 'Sauvegarder l\'enregistrement pour téléverser des documents', - 'expense_tax_rates' => 'Expense Tax Rates', + 'expense_tax_rates' => 'Taux de taxes de dépenses', 'invoice_item_tax_rates' => 'Taux de taxes pour l\'article de facture', 'verified_phone_number' => 'Le numéro de téléphone a été vérifié', 'code_was_sent' => 'Un code a été envoyé par texto', @@ -4716,7 +4716,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'enter_phone_number' => 'Veuillez fournir un numéro de téléphone', 'invalid_phone_number' => 'Numéro de téléphone non valide', 'verify_phone_number' => 'Vérifier le numéro de téléphone', - 'verify_phone_number_help' => 'Please verify your phone number to send emails', + 'verify_phone_number_help' => 'Veuillez vérifier votre compte pour l\'envoi de courriel.', 'merged_clients' => 'Les clients ont été fusionnés', 'merge_into' => 'Fusionner dans', 'php81_required' => 'Note: v5.5 requiert PHP 8.1', @@ -4745,17 +4745,17 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'bulk_print' => 'Imprimer le PDF', 'vendor_postal_code' => 'Code postal du fournisseur', 'preview_location' => 'Emplacement de prévisualisation', - 'bottom' => 'Bottom', - 'side' => 'Side', + 'bottom' => 'En bas', + 'side' => 'Sur le coté', 'pdf_preview' => 'Prévisualisation du PDF', 'long_press_to_select' => 'Pressez longuement pour sélectionner', 'purchase_order_item' => 'Article de bon de commande', 'would_you_rate_the_app' => 'Aimeriez-vous évaluer l\'application?', - 'include_deleted' => 'Include Deleted', + 'include_deleted' => 'Inclure les suppressions', 'include_deleted_help' => 'Inclure les enregistrements supprimés dans les rapports', 'due_on' => 'Dû le', 'browser_pdf_viewer' => 'Utiliser le lecteur PDF du navigateur', - 'browser_pdf_viewer_help' => 'Warning: Prevents interacting with app over the PDF', + 'browser_pdf_viewer_help' => 'Avertissement: Empêche l\'interation avec l\'application par le', 'converted_transactions' => 'Les transactions ont été converties', 'default_category' => 'Catégorie par défaut', 'connect_accounts' => 'Comptes connectés', @@ -4801,7 +4801,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'upgrade_to_connect_bank_account' => 'Passer au plan Entreprise pour connecter votre compte bancaire', 'click_here_to_connect_bank_account' => 'Cliquez ici pour connecter votre compte bancaire', 'include_tax' => 'Inclure la taxe', - 'email_template_change' => 'E-mail template body can be changed on', + 'email_template_change' => 'Le corps du modèle de courriel peut être modifié', 'task_update_authorization_error' => 'Permission d\'accès insuffisante ou tâche verrouillée', 'cash_vs_accrual' => 'Comptabilité d\'exercice', 'cash_vs_accrual_help' => 'Activer pour comptabilité d\'exercice. Désactiver pour comptabilité d\'encaisse', @@ -4812,7 +4812,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'mark_paid_payment_email_help' => 'Envoyer un courriel lorsque une facture a été marquée comme payée', 'linked_transaction' => 'La transaction a été liée', 'link_payment' => 'Lier le paiement', - 'link_expense' => 'Link Expense', + 'link_expense' => 'Lier la dépense', 'lock_invoiced_tasks' => 'Verrouiller les tâches facturées', 'lock_invoiced_tasks_help' => 'Bloquer les tâches lorsqu\'elles sont facturées', 'registration_required_help' => 'Inscription requise pour le client', @@ -4903,7 +4903,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'notify_vendor_when_paid' => 'Avertir le fournisseur lors du paiement', 'notify_vendor_when_paid_help' => 'Envoyer un courriel au fournisseur lorsque la dépense est marquée comme payée', 'update_payment' => 'Mettre à jour le paiement', - 'markup' => 'Markup', + 'markup' => 'Balisage', 'unlock_pro' => 'Débloquer Pro', 'upgrade_to_paid_plan_to_schedule' => 'Mettre à jour le plan pour pouvoir utiliser la planification', 'next_run' => 'Prochain envoi', @@ -4950,7 +4950,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'logo_size' => 'Taille du logo', 'failed' => 'Échec', 'client_contacts' => 'Personne contact du client', - 'sync_from' => 'Sync From', + 'sync_from' => 'Sync de', 'gateway_payment_text' => 'Factures: :invoices pour :amount pour :client', 'gateway_payment_text_no_invoice' => 'Paiement sans facture d\'un montant de :amount pour le client :client', 'click_to_variables' => 'Cliquez ici pour voir toutes les variables', @@ -4971,7 +4971,7 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'white_label_body' => 'Merci d\'avoir acheté une licence.

Votre clé de licence est:

:license_key', 'payment_type_Klarna' => 'Klarna', 'payment_type_Interac E Transfer' => 'Transfert Interac', - 'xinvoice_payable' => 'Payable within :payeddue days net until :paydate', + 'xinvoice_payable' => 'Payable d\'ici :payeddue jours jusqu\'à :paydate', 'xinvoice_no_buyers_reference' => "Aucune référence de l'acheteur fournie", 'xinvoice_online_payment' => 'Cette facture doit être payée en ligne en utilisant le lien fourni', 'pre_payment' => 'Prépaiement', @@ -5023,11 +5023,11 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'show_task_item_description' => 'Afficher la description des articles de tâches', 'show_task_item_description_help' => 'Activer les descriptions de tâches d\'article', 'email_record' => 'Envoyer l\'enregistrement par courriel', - 'invoice_product_columns' => 'Facturer les colonnes de produits', - 'quote_product_columns' => 'Quote Product Columns', + 'invoice_product_columns' => 'Colonnes de produits pour facture', + 'quote_product_columns' => 'Colonnes de produits pour soumission', 'vendors' => 'Fournisseurs', 'product_sales' => 'Ventes de produits', - 'user_sales_report_header' => 'User sales report for client/s :client from :start_date to :end_date', + 'user_sales_report_header' => 'Rapport de vente utilisateur pour les clients :client de :start_date à :end_date', 'client_balance_report' => 'Rapport du solde de client', 'client_sales_report' => 'Rapport de vente par client', 'user_sales_report' => 'Rapport de vente par utilisateur', @@ -5042,14 +5042,14 @@ Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette 'tax_all' => 'Tout taxer', 'tax_selected' => 'Taxe sélectionnée', 'version' => 'version', - 'seller_subregion' => 'Seller Subregion', + 'seller_subregion' => 'Sous-région du vendeur', 'calculate_taxes' => 'Calculer les taxes', 'calculate_taxes_help' => 'Calcul automatique des taxes à la sauvegarde des factures', 'link_expenses' => 'Lier les dépenses', 'converted_client_balance' => 'Solde client converti', 'converted_payment_balance' => 'Solde de paiement converti', 'total_hours' => 'Total d\'heures', - 'date_picker_hint' => 'Use +days to set the date in the future', + 'date_picker_hint' => 'Utiliser +jours pour définir la date utlérieure', 'app_help_link' => 'Plus d\'information', 'here' => 'ici', 'industry_Restaurant & Catering' => 'Restauration et traiteur',